code
stringlengths
3
10M
language
stringclasses
31 values
import std.exception; import std.stdio; import std.conv; import std.range; import std.algorithm; import std.datetime.stopwatch; import std.meta; // Biotronic on http://forum.dlang.org/post/unjujeqnqjtwgsrhvphr@forum.dlang.org string randomDna(int length) { import std.random; auto rnd = Random(unpredictableSeed); enum chars = ['A','C','G','T']; return iota(length).map!(a=>chars[uniform(0,4, rnd)]).array; } unittest { auto input = randomDna(2000); string previous = null; foreach (fn; AliasSeq!(revComp0, revComp1, revComp2, revComp3, revComp4, revComp5, revComp6, revComp7)) { auto timing = benchmark!({fn(input);})(10_000); writeln((&fn).stringof[2..$], ": ", timing[0].to!Duration); auto current = fn(input); if (previous != null) { if (current != previous) { writeln((&fn).stringof[2..$], " did not give correct results."); } else { previous = current; } } } } // 216 ms, 3 us, and 8 hnsecs string revComp0(string bps) { const N = bps.length; char[] result = new char[N]; for (int i = 0; i < N; ++i) { result[i] = {switch(bps[N-i-1]){ case 'A': return 'T'; case 'C': return 'G'; case 'G': return 'C'; case 'T': return 'A'; default: return '\0'; }}(); } return result.assumeUnique; } // 2 secs, 752 ms, and 969 us string revComp1(string bps) { return bps.retro.map!((a){switch(a){ case 'A': return 'T'; case 'C': return 'G'; case 'G': return 'C'; case 'T': return 'A'; default: assert(false); }}).array; } // 10 secs, 419 ms, 335 us, and 6 hnsecs string revComp2(string bps) { enum chars = ['A': 'T', 'T': 'A', 'C': 'G', 'G': 'C']; auto result = appender!string; foreach_reverse (c; bps) { result.put(chars[c]); } return result.data; } // 1 sec, 972 ms, 915 us, and 9 hnsecs string revComp3(string bps) { const N = bps.length; static immutable chars = [Repeat!('A'-'\0', '\0'), 'T', Repeat!('C'-'A'-1, '\0'), 'G', Repeat!('G'-'C'-1, '\0'), 'C', Repeat!('T'-'G'-1, '\0'), 'A']; char[] result = new char[N]; for (int i = 0; i < N; ++i) { result[i] = chars[bps[N-i-1]]; } return result.assumeUnique; } string revComp4(string bps) { const N = bps.length; char[] result = new char[N]; for (int i = 0; i < N; ++i) { switch(bps[N-i-1]) { case 'A': result[i] = 'T'; break; case 'C': result[i] = 'G'; break; case 'G': result[i] = 'C'; break; case 'T': result[i] = 'A'; break; default: assert(false); } } return result.assumeUnique; } string revComp5(string bps) { const N = bps.length; char[] result = new char[N]; foreach (i, ref e; result) { switch(bps[N-i-1]) { case 'A': e = 'T'; break; case 'C': e = 'G'; break; case 'G': e = 'C'; break; case 'T': e = 'A'; break; default: assert(false); } } return result.assumeUnique; } string revComp6(string bps) { char[] result = new char[bps.length]; auto p1 = result.ptr; auto p2 = &bps[$-1]; while (p2 > bps.ptr) { switch(*p2) { case 'A': *p1 = 'T'; break; case 'C': *p1 = 'G'; break; case 'G': *p1 = 'C'; break; case 'T': *p1 = 'A'; break; default: assert(false); } p1++; p2--; } return result.assumeUnique; } // crimaniak string revComp7(string bps) { char[] result = new char[bps.length]; auto p1 = result.ptr; auto p2 = &bps[$ - 1]; enum AT = 'A'^'T'; enum CG = 'C'^'G'; while (p2 > bps.ptr) { *p1 = *p2 ^ ((*p2 == 'A' || *p2 == 'T') ? AT : CG); p1++; p2--; } return result.assumeUnique; } void main(){ enum AT = 'A'^'T'; enum CG = 'C'^'G'; enum chars = [Repeat!('A'-'\0', '\0'), 'T', Repeat!('C'-'A'-1, '\0'), 'G', Repeat!('G'-'C'-1, '\0'), 'C', Repeat!('T'-'G'-1, '\0'), 'A']; writef("BIN %08b DEC %d CHAR %c\n", 'A', 'A', 'A'); writef("BIN %08b DEC %d\n", 'T', 'T'); writef("XOR %08b DEC %d\n", AT, AT); writef("TOR %08b DEC %d CHAR %c\n", AT^'T', AT^'T', to!char(AT^'T')); writef("AOR %08b DEC %d CHAR %c\n", AT^'A', AT^'A', to!char(AT^'A')); foreach (i, c; chars){ if (i >= 60) writef("% 2c: %0 8b, %c\n",to!char(i), c, to!char(c)); // elements before 60 are all \0 } }
D
var int EVT_CAVALORNSGOBBOS_FUNC_OneTime; func void evt_cavalornsgobbos_func() { if(EVT_CAVALORNSGOBBOS_FUNC_OneTime == FALSE) { Wld_InsertNpc(Gobbo_Green,"NW_XARDAS_GOBBO_01"); Wld_InsertNpc(Gobbo_Green,"NW_XARDAS_GOBBO_02"); EVT_CAVALORNSGOBBOS_FUNC_OneTime = TRUE; }; };
D
/** * Copyright: Copyright (c) 2012 Jacob Carlborg. All rights reserved. * Authors: Jacob Carlborg * Version: Initial created: Jan 29, 2012 * License: $(LINK2 http://www.boost.org/LICENSE_1_0.txt, Boost Software License 1.0) */ module clang.Visitor; import clang.c.Index; import clang.Cursor; struct Visitor { alias int delegate (ref Cursor, ref Cursor) Delegate; alias int delegate (Delegate dg) OpApply; private CXCursor cursor; this (CXCursor cursor) { this.cursor = cursor; } this (Cursor cursor) { this.cursor = cursor.cx; } int opApply (Delegate dg) { auto data = OpApplyData(dg); clang_visitChildren(cursor, &visitorFunction, cast(CXClientData) &data); return data.returnCode; } private: extern (C) static CXChildVisitResult visitorFunction (CXCursor cursor, CXCursor parent, CXClientData data) { auto tmp = cast(OpApplyData*) data; with (CXChildVisitResult) { auto dCursor = Cursor(cursor); auto dParent = Cursor(parent); auto r = tmp.dg(dCursor, dParent); tmp.returnCode = r; return r ? CXChildVisit_Break : CXChildVisit_Continue; } } static struct OpApplyData { int returnCode; Delegate dg; this (Delegate dg) { this.dg = dg; } } template Constructors () { private Visitor visitor; this (Visitor visitor) { this.visitor = visitor; } this (CXCursor cursor) { visitor = Visitor(cursor); } this (Cursor cursor) { visitor = Visitor(cursor); } } } struct DeclarationVisitor { mixin Visitor.Constructors; int opApply (Visitor.Delegate dg) { foreach (cursor, parent ; visitor) if (cursor.isDeclaration) if (auto result = dg(cursor, parent)) return result; return 0; } } struct TypedVisitor (CXCursorKind kind) { private Visitor visitor; this (Visitor visitor) { this.visitor = visitor; } this (CXCursor cursor) { this(Visitor(cursor)); } this (Cursor cursor) { this(cursor.cx); } int opApply (Visitor.Delegate dg) { foreach (cursor, parent ; visitor) if (cursor.kind == kind) if (auto result = dg(cursor, parent)) return result; return 0; } } alias TypedVisitor!(CXCursorKind.CXCursor_ObjCInstanceMethodDecl) ObjCInstanceMethodVisitor; alias TypedVisitor!(CXCursorKind.CXCursor_ObjCClassMethodDecl) ObjCClassMethodVisitor; alias TypedVisitor!(CXCursorKind.CXCursor_ObjCPropertyDecl) ObjCPropertyVisitor; alias TypedVisitor!(CXCursorKind.CXCursor_ObjCProtocolRef) ObjCProtocolVisitor; struct ParamVisitor { mixin Visitor.Constructors; int opApply (int delegate (ref ParamCursor) dg) { foreach (cursor, parent ; visitor) if (cursor.kind == CXCursorKind.CXCursor_ParmDecl) { auto paramCursor = ParamCursor(cursor); if (auto result = dg(paramCursor)) return result; } return 0; } @property size_t length () { auto type = Cursor(visitor.cursor).type; if (type.isValid) return type.func.arguments.length; else { size_t i; foreach (_ ; this) i++; return i; } } @property bool any () { return length > 0; } @property bool isEmpty () { return !any; } @property ParamCursor first () { assert(any, "Cannot get the first parameter of an empty parameter list"); foreach (c ; this) return c; assert(0, "Cannot get the first parameter of an empty parameter list"); } }
D
/Users/tito/Desktop/Backup/Projects/Coordinator/.build/x86_64-apple-macosx/debug/Coordinator_Example.build/Sources/ViewControllers/AboutViewController.swift.o : /Users/tito/Desktop/Backup/Projects/Coordinator/Sources/DataService.swift /Users/tito/Desktop/Backup/Projects/Coordinator/Sources/AppDelegate.swift /Users/tito/Desktop/Backup/Projects/Coordinator/Sources/ViewControllers/WelcomeViewController.swift /Users/tito/Desktop/Backup/Projects/Coordinator/Sources/ViewControllers/ExamplesViewController.swift /Users/tito/Desktop/Backup/Projects/Coordinator/Sources/ViewControllers/AppRootViewController.swift /Users/tito/Desktop/Backup/Projects/Coordinator/Sources/ViewControllers/AboutViewController.swift /Users/tito/Desktop/Backup/Projects/Coordinator/Sources/ViewControllers/SummaryViewController.swift /Users/tito/Desktop/Backup/Projects/Coordinator/Sources/Main/Navigator.swift /Users/tito/Desktop/Backup/Projects/Coordinator/Sources/Main/Coordinator.swift /Users/tito/Desktop/Backup/Projects/Coordinator/Sources/Coordinators/OnboardingCoordinator.swift /Users/tito/Desktop/Backup/Projects/Coordinator/Sources/Coordinators/AppCoordinator.swift /Users/tito/Desktop/Backup/Projects/Coordinator/Sources/Coordinators/ExamplesCoordinator.swift /Users/tito/Desktop/Backup/Projects/Coordinator/Sources/Coordinators/AboutCoordinator.swift /Users/tito/Desktop/Backup/Projects/Coordinator/Sources/Extensions/UILabel+Extensions.swift /Users/tito/Desktop/Backup/Projects/Coordinator/Sources/Extensions/UIViewController+Extensions.swift /Users/tito/Desktop/Backup/Projects/Coordinator/Sources/Extensions/UIView+Extensions.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/XPC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreData.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreImage.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Combine.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/QuartzCore.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Dispatch.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Metal.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Darwin.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Foundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreFoundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreGraphics.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/SafariServices.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Swift.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/IOKit.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/AppKit.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64-apple-macos.swiftmodule /Users/tito/Desktop/Backup/Projects/Coordinator/.build/x86_64-apple-macosx/debug/Coordinator_Example.build/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xpc/XPC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/CoreData.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/AppKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/tito/Desktop/Backup/Projects/Coordinator/.build/x86_64-apple-macosx/debug/Coordinator_Example.build/Sources/ViewControllers/AboutViewController~partial.swiftmodule : /Users/tito/Desktop/Backup/Projects/Coordinator/Sources/DataService.swift /Users/tito/Desktop/Backup/Projects/Coordinator/Sources/AppDelegate.swift /Users/tito/Desktop/Backup/Projects/Coordinator/Sources/ViewControllers/WelcomeViewController.swift /Users/tito/Desktop/Backup/Projects/Coordinator/Sources/ViewControllers/ExamplesViewController.swift /Users/tito/Desktop/Backup/Projects/Coordinator/Sources/ViewControllers/AppRootViewController.swift /Users/tito/Desktop/Backup/Projects/Coordinator/Sources/ViewControllers/AboutViewController.swift /Users/tito/Desktop/Backup/Projects/Coordinator/Sources/ViewControllers/SummaryViewController.swift /Users/tito/Desktop/Backup/Projects/Coordinator/Sources/Main/Navigator.swift /Users/tito/Desktop/Backup/Projects/Coordinator/Sources/Main/Coordinator.swift /Users/tito/Desktop/Backup/Projects/Coordinator/Sources/Coordinators/OnboardingCoordinator.swift /Users/tito/Desktop/Backup/Projects/Coordinator/Sources/Coordinators/AppCoordinator.swift /Users/tito/Desktop/Backup/Projects/Coordinator/Sources/Coordinators/ExamplesCoordinator.swift /Users/tito/Desktop/Backup/Projects/Coordinator/Sources/Coordinators/AboutCoordinator.swift /Users/tito/Desktop/Backup/Projects/Coordinator/Sources/Extensions/UILabel+Extensions.swift /Users/tito/Desktop/Backup/Projects/Coordinator/Sources/Extensions/UIViewController+Extensions.swift /Users/tito/Desktop/Backup/Projects/Coordinator/Sources/Extensions/UIView+Extensions.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/XPC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreData.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreImage.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Combine.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/QuartzCore.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Dispatch.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Metal.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Darwin.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Foundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreFoundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreGraphics.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/SafariServices.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Swift.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/IOKit.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/AppKit.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64-apple-macos.swiftmodule /Users/tito/Desktop/Backup/Projects/Coordinator/.build/x86_64-apple-macosx/debug/Coordinator_Example.build/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xpc/XPC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/CoreData.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/AppKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/tito/Desktop/Backup/Projects/Coordinator/.build/x86_64-apple-macosx/debug/Coordinator_Example.build/Sources/ViewControllers/AboutViewController~partial.swiftdoc : /Users/tito/Desktop/Backup/Projects/Coordinator/Sources/DataService.swift /Users/tito/Desktop/Backup/Projects/Coordinator/Sources/AppDelegate.swift /Users/tito/Desktop/Backup/Projects/Coordinator/Sources/ViewControllers/WelcomeViewController.swift /Users/tito/Desktop/Backup/Projects/Coordinator/Sources/ViewControllers/ExamplesViewController.swift /Users/tito/Desktop/Backup/Projects/Coordinator/Sources/ViewControllers/AppRootViewController.swift /Users/tito/Desktop/Backup/Projects/Coordinator/Sources/ViewControllers/AboutViewController.swift /Users/tito/Desktop/Backup/Projects/Coordinator/Sources/ViewControllers/SummaryViewController.swift /Users/tito/Desktop/Backup/Projects/Coordinator/Sources/Main/Navigator.swift /Users/tito/Desktop/Backup/Projects/Coordinator/Sources/Main/Coordinator.swift /Users/tito/Desktop/Backup/Projects/Coordinator/Sources/Coordinators/OnboardingCoordinator.swift /Users/tito/Desktop/Backup/Projects/Coordinator/Sources/Coordinators/AppCoordinator.swift /Users/tito/Desktop/Backup/Projects/Coordinator/Sources/Coordinators/ExamplesCoordinator.swift /Users/tito/Desktop/Backup/Projects/Coordinator/Sources/Coordinators/AboutCoordinator.swift /Users/tito/Desktop/Backup/Projects/Coordinator/Sources/Extensions/UILabel+Extensions.swift /Users/tito/Desktop/Backup/Projects/Coordinator/Sources/Extensions/UIViewController+Extensions.swift /Users/tito/Desktop/Backup/Projects/Coordinator/Sources/Extensions/UIView+Extensions.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/XPC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreData.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreImage.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Combine.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/QuartzCore.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Dispatch.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Metal.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Darwin.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Foundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreFoundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreGraphics.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/SafariServices.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Swift.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/IOKit.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/AppKit.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64-apple-macos.swiftmodule /Users/tito/Desktop/Backup/Projects/Coordinator/.build/x86_64-apple-macosx/debug/Coordinator_Example.build/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xpc/XPC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/CoreData.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/AppKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/tito/Desktop/Backup/Projects/Coordinator/.build/x86_64-apple-macosx/debug/Coordinator_Example.build/Sources/ViewControllers/AboutViewController~partial.swiftsourceinfo : /Users/tito/Desktop/Backup/Projects/Coordinator/Sources/DataService.swift /Users/tito/Desktop/Backup/Projects/Coordinator/Sources/AppDelegate.swift /Users/tito/Desktop/Backup/Projects/Coordinator/Sources/ViewControllers/WelcomeViewController.swift /Users/tito/Desktop/Backup/Projects/Coordinator/Sources/ViewControllers/ExamplesViewController.swift /Users/tito/Desktop/Backup/Projects/Coordinator/Sources/ViewControllers/AppRootViewController.swift /Users/tito/Desktop/Backup/Projects/Coordinator/Sources/ViewControllers/AboutViewController.swift /Users/tito/Desktop/Backup/Projects/Coordinator/Sources/ViewControllers/SummaryViewController.swift /Users/tito/Desktop/Backup/Projects/Coordinator/Sources/Main/Navigator.swift /Users/tito/Desktop/Backup/Projects/Coordinator/Sources/Main/Coordinator.swift /Users/tito/Desktop/Backup/Projects/Coordinator/Sources/Coordinators/OnboardingCoordinator.swift /Users/tito/Desktop/Backup/Projects/Coordinator/Sources/Coordinators/AppCoordinator.swift /Users/tito/Desktop/Backup/Projects/Coordinator/Sources/Coordinators/ExamplesCoordinator.swift /Users/tito/Desktop/Backup/Projects/Coordinator/Sources/Coordinators/AboutCoordinator.swift /Users/tito/Desktop/Backup/Projects/Coordinator/Sources/Extensions/UILabel+Extensions.swift /Users/tito/Desktop/Backup/Projects/Coordinator/Sources/Extensions/UIViewController+Extensions.swift /Users/tito/Desktop/Backup/Projects/Coordinator/Sources/Extensions/UIView+Extensions.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/XPC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/ObjectiveC.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreData.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreImage.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Combine.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/QuartzCore.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Dispatch.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Metal.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Darwin.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Foundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreFoundation.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/CoreGraphics.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/SafariServices.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/Swift.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/IOKit.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/AppKit.swiftmodule/x86_64-apple-macos.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64-apple-macos.swiftmodule /Users/tito/Desktop/Backup/Projects/Coordinator/.build/x86_64-apple-macosx/debug/Coordinator_Example.build/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/xpc/XPC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreData.framework/Headers/CoreData.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/AppKit.framework/Headers/AppKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
D
/home/dmitry/work/aoc2019/rust/days/target/debug/deps/03-ce3b6f4ec221244e: 03/src/main.rs /home/dmitry/work/aoc2019/rust/days/target/debug/deps/03-ce3b6f4ec221244e.d: 03/src/main.rs 03/src/main.rs:
D
// ork ze starego questa z Mieczem // -> nieuzywany instance NASZ_451_OrkMiecz (Npc_Default) { // ------ NSC ------ name = "Ork"; guild = GIL_ORC; id = 451; voice = 18; flags = 0; npctype = NPCTYPE_FRIEND; level = 30; aivar[AIV_IgnoresArmor] = TRUE; //----- Attribute ----- attribute [ATR_STRENGTH] = 55; //+ca. 50-80 Waffe //MIN 100 wg Equip!!! attribute [ATR_DEXTERITY] = 30; attribute [ATR_HITPOINTS_MAX] = 300; attribute [ATR_HITPOINTS] = 300; attribute [ATR_MANA_MAX] = 0; attribute [ATR_MANA] = 0; //----- Protections ---- protection [PROT_BLUNT] = 30; protection [PROT_EDGE] = 30; protection [PROT_POINT] = 30; protection [PROT_FIRE] = 30; protection [PROT_FLY] = 30; protection [PROT_MAGIC] = 30; //----- HitChances ----- HitChance [NPC_TALENT_1H] = 60; HitChance [NPC_TALENT_2H] = 60; HitChance [NPC_TALENT_BOW] = 60; HitChance [NPC_TALENT_CROSSBOW] = 60; damagetype = DAM_EDGE; fight_tactic = FAI_ORC; senses = SENSE_HEAR | SENSE_SEE; senses_range = 500; Mdl_SetVisual (self, "Orc.mds"); Mdl_SetVisualBody (self, "ORC_BODYSCOUT", DEFAULT, DEFAULT, "Orc_HeadSlave", DEFAULT, DEFAULT, -1); EquipItem (self, ItMw_2H_OrcAxe_02); CreateInvItems (self, ItMi_Nugget,1); daily_routine = Rtn_Start_451; }; FUNC VOID Rtn_Start_451 () { TA_Stand_WP (04,10,23,40,"TOT"); TA_Stand_WP (23,40,04,10,"NASZ_MIECZ_6"); };
D
/******************************************************************************* Author: Lester L. Martin II Copyright: Lester L. Martin II and CollabEdit Project Liscense: $(GPLv1) Release: Initial, June 2009 *******************************************************************************/ module src.Configurator; private { import tango.text.xml.Document; import tango.io.model.IConduit; import tango.io.vfs.model.Vfs; import tango.io.vfs.FileFolder; import TUtil = tango.text.Util; import tango.text.convert.Integer : parse; import qt.gui.QColor; import qt.gui.QBrush; import qt.gui.QTextCharFormat; debug(Configurator) { import tango.io.Stdout; } } /******************************************************************************* define an extension as char[] *******************************************************************************/ alias char[] Extension; /******************************************************************************* define the operations on a file *******************************************************************************/ enum Operations { Open, Close } class Pair { QRegExp[] pattern; QTextCharFormat format; } /******************************************************************************* Describes the Configuration for a certain extension Members: name; name of the language ex: D, C++, not cpp,cc,d,di and stuff keywords; a set of keywords split into groups by name ex: keywords["delimiters"] should return a char[] containing "\" \''" for d.xml styles: a set of styles split into groups by name ex: styles["default"] should return a style used: how many times is this configuration used, if not at all wtf is it still doing around? Change to the bool part of the union Configuration *******************************************************************************/ public class ConfigurationT { public: char[] name; Pair[char[]] pair; ulong used; } public union Configuration { ConfigurationT conf; } /******************************************************************************* describes handlers as a type *******************************************************************************/ typedef ConfigurationT delegate(Extension ext) OpenHandler; typedef void delegate(Extension ext) CloseHandler; /******************************************************************************* Describes the configuration of the entire editor. Every time a file is opened, this is asked for it's corresponding syntax highlight configuration. Has events: onClose(Extension ext) to be called when closing a file with the files extension onOpen(Extension ext) to be called when opening a file with the files extension, returns the configuration Usage: auto conf = new ConfigurationManager("extensionDescriptors.xml"); // your class then does something like this if this.register(&(conf.onOpen), Operations.Open); this.register(&(conf.onClose), Operations.Close); // that sets your class to call it whenever it opens and whenever // it closes a file Extra Information: The configuration manager only has the neccessary syntax/style descriptor files open only when a file using the extension is being used. If not, the tables for the Configuration and the file are closed to reduce program memory *******************************************************************************/ public class ConfigurationManager { private: Configuration[Extension] configurations = null; /* describes language by it's name... has a list of extensions as a string use something to figure out if extension (char[]) is in the string of language */ char[][char[]] languages; char[][] langPoss; /* should be able to get a *.xml for ext and parse it into a Configuration should store in configuration Table if there's no configuration give it the NullConf value */ void getConf(Extension ext) { parseExt("syntax/" ~ languages[ext] ~ ".xml"); } /* opens a language descriptor file and parses it into the configurations */ void parseExt(char[] loc) { /* open and read file, set up document (xml) */ auto text = pull(new FileHost(loc)); Document!(char) doc = new Document!(char); /* parse the document before playing with it :-) */ doc.parse(text); /* parse it into the languages array */ auto root = doc.tree; /* actually parse it into a ConfigurationT */ QTextCharFormat format; ConfigurationT conf; char[] name; foreach(elem; root.query.descendant("lang")) { conf = new ConfigurationT; foreach(elem2; elem.query.attribute("name")) { conf.name = elem2.value.dup; debug(Configurator) { Stdout.formatln("{}", conf.name); } } foreach(elem3; elem.query.descendant("syntax")) { format = new QTextCharFormat(); foreach(elem4; elem3.query.attribute("name")) { name = elem4.value; } foreach(elem4; elem3.query.attribute("color")) { char[][3] thin = TUtil.split(elem4.value, ","); format.setForeground(new QBrush(new QColor(parse( thin[0]), parse(thin[1]), parse(thin[2])))); } foreach (elem4; elem3.query.attribute("style")) { foreach (style; TUtil.split(elem4.value, " ")) { switch (style) { case "bold": format.setFontWeight(QFont.Bold); break; case "italic": format.setFontItalic(true); break; case "underlined": format.setFontUnderline(true); break; case "strikeout": format.setFontStrikeOut(true); break; default: } } } auto pair = new Pair; pair.format = format; foreach(car; TUtil.split(elem3.value, " ")) pair.pattern ~= new QRegExp(car); conf.pair[name.dup] = pair; debug(Configurator) { Stdout.formatln("{}", name); foreach(pair; conf.pair) { Stdout("is actually here").newline.flush; } } } configurations[conf.name.dup] = Configuration(conf); } } /* pulls all of the text out this input stream returns the text */ char[] pull(FileHost loc) { char[] ret, temp; size_t loca; auto inp = loc.input; ret = cast(char[])inp.load(); inp.close; return ret; } public: /* gets master descriptor of extensions file and parses it */ this(char[] loc) { /* open and read file, set up document (xml) */ auto text = pull(new FileHost(loc)); Document!(char) doc = new Document!(char); /* parse the document before playing with it :-) */ doc.parse(text); /* temp vars */ char[] lang, exts; /* parse it into the languages array */ foreach(elem; doc.query.descendant) { foreach(elem2; elem.query.descendant("ext")) { foreach(elem3; elem2.query.attribute("conf")) { lang = elem3.value; debug(Configurator) { Stdout(elem3.value).newline.flush; } } foreach(elem3; elem2.query.attribute("ext")) { exts = elem3.value; debug(Configurator) { Stdout(elem3.value).newline.flush; } } foreach(temp; TUtil.split(exts, ",")) languages[temp.dup] = lang.dup; langPoss ~= [lang.dup]; } } } /* the on open event synchronized so no 2 accesses at same file and no 2 accesses on the configurations */ synchronized ConfigurationT onOpen(Extension ext) { try { configurations[languages[ext]].conf.used++; } catch { getConf(ext); configurations[languages[ext]].conf.used++; } debug(Configurator) { foreach(pair; configurations[languages[ext]].conf.pair) { Stdout("is actually here").newline.flush; } } return configurations[languages[ext]].conf; } /* the on close event synchronized so the proper reading of the used var is done so it can actually release mem to GC */ synchronized void onClose(Extension ext) { configurations[languages[ext]].conf.used--; if(configurations[languages[ext]].conf.used <= 0) { delete configurations[languages[ext]].conf; } } char[][] Languages() { return langPoss; } synchronized ConfigurationT getConfiguration(Extension ext) { try { configurations[languages[ext]].conf.used++; } catch { getConf(ext); configurations[languages[ext]].conf.used++; } configurations[languages[ext]].conf.used--; return configurations[languages[ext]].conf; } } debug(Configurator) { /*void main() { auto man = new ConfigurationManager("extensions.xml"); auto conf = man.onOpen("d"); man.onClose("d"); Stdout("no problems yet?").newline.flush; }*/ }
D
instance DIA_BABO_KAP1_EXIT(C_INFO) { npc = nov_612_babo; nr = 999; condition = dia_babo_kap1_exit_condition; information = dia_babo_kap1_exit_info; permanent = TRUE; description = DIALOG_ENDE; }; func int dia_babo_kap1_exit_condition() { if(KAPITEL == 1) { return TRUE; }; }; func void dia_babo_kap1_exit_info() { AI_StopProcessInfos(self); }; instance DIA_BABO_HELLO(C_INFO) { npc = nov_612_babo; nr = 2; condition = dia_babo_hello_condition; information = dia_babo_hello_info; permanent = FALSE; important = TRUE; }; func int dia_babo_hello_condition() { if(Npc_IsInState(self,zs_talk) && (other.guild == GIL_NOV)) { return TRUE; }; }; func void dia_babo_hello_info() { AI_Output(self,other,"DIA_Babo_Hello_03_00"); //(испуганно) Привет, ты тоже новичок здесь, да? AI_Output(other,self,"DIA_Babo_Hello_15_01"); //Да. Ты давно здесь? AI_Output(self,other,"DIA_Babo_Hello_03_02"); //Четыре недели. Тебе уже выдали боевой посох? AI_Output(other,self,"DIA_Babo_Hello_15_03"); //Пока нет. AI_Output(self,other,"DIA_Babo_Hello_03_04"); //Тогда возьми вот этот. Мы, послушники всегда ходим с посохом, чтобы показать, что мы способны защитить себя. Ты умеешь сражаться? AI_Output(other,self,"DIA_Babo_Hello_15_05"); //Ну, мне случалось пользоваться оружием... AI_Output(self,other,"DIA_Babo_Hello_03_06"); //Если хочешь, я могу обучить тебя кое-чему. Но у меня есть просьба... CreateInvItems(other,itmw_1h_nov_mace,1); AI_PrintScreen("Боевой посох получено",-1,YPOS_ITEMTAKEN,FONT_SCREENSMALL,2); }; instance DIA_BABO_ANLIEGEN(C_INFO) { npc = nov_612_babo; nr = 2; condition = dia_babo_anliegen_condition; information = dia_babo_anliegen_info; permanent = FALSE; description = "Что за просьба?"; }; func int dia_babo_anliegen_condition() { if((other.guild == GIL_NOV) && Npc_KnowsInfo(other,dia_babo_hello)) { return TRUE; }; }; func void dia_babo_anliegen_info() { AI_Output(other,self,"DIA_Babo_Anliegen_15_00"); //Что за просьба? AI_Output(self,other,"DIA_Babo_Anliegen_03_01"); //Ну, один из паладинов, Сержио, сейчас живет в монастыре. AI_Output(self,other,"DIA_Babo_Anliegen_03_02"); //Если ты сможешь убедить его дать мне несколько уроков, тогда я потренирую тебя. AI_Output(other,self,"DIA_Babo_Anliegen_15_03"); //Я посмотрю, что можно сделать. Log_CreateTopic(TOPIC_BABOTRAIN,LOG_MISSION); Log_SetTopicStatus(TOPIC_BABOTRAIN,LOG_RUNNING); b_logentry(TOPIC_BABOTRAIN,"Если я смогу убедить паладина Сержио немного потренироваться с Бабо, он научит меня искусству обращения с двуручным оружием."); }; instance DIA_BABO_SERGIO(C_INFO) { npc = nov_612_babo; nr = 2; condition = dia_babo_sergio_condition; information = dia_babo_sergio_info; permanent = FALSE; description = "Я поговорил с Сержио."; }; func int dia_babo_sergio_condition() { if(Npc_KnowsInfo(other,dia_sergio_babo) && (other.guild == GIL_NOV)) { return TRUE; }; }; func void dia_babo_sergio_info() { AI_Output(other,self,"DIA_Babo_Sergio_15_00"); //Я поговорил с Сержио. Он будет тренировать тебя по два часа каждое утро, с пяти часов. AI_Output(self,other,"DIA_Babo_Sergio_03_01"); //Спасибо! Какая честь для меня! AI_Output(self,other,"DIA_Babo_Sergio_03_02"); //Если хочешь, я также могу показать тебе несколько секретов боевого искусства. BABO_TEACHPLAYER = TRUE; BABO_TRAINING = TRUE; b_giveplayerxp(XP_AMBIENT * 2); Log_CreateTopic(TOPIC_KLOSTERTEACHER,LOG_NOTE); b_logentry(TOPIC_KLOSTERTEACHER,"Бабо может обучить меня искусству обращения с двуручным оружием."); }; instance DIA_BABO_TEACH(C_INFO) { npc = nov_612_babo; nr = 100; condition = dia_babo_teach_condition; information = dia_babo_teach_info; permanent = TRUE; description = "Я готов к обучению."; }; var int dia_babo_teach_permanent; var int babo_labercount; func int dia_babo_teach_condition() { if(((BABO_TEACHPLAYER == TRUE) && (DIA_BABO_TEACH_PERMANENT == FALSE)) || (other.guild == GIL_KDF)) { return TRUE; }; }; var int babo_merk2h; func void dia_babo_teach_info() { BABO_MERK2H = other.hitchance[NPC_TALENT_2H]; AI_Output(other,self,"DIA_Babo_Teach_15_00"); //Я готов к обучению. Info_ClearChoices(dia_babo_teach); Info_AddChoice(dia_babo_teach,DIALOG_BACK,dia_babo_teach_back); Info_AddChoice(dia_babo_teach,b_buildlearnstring(PRINT_LEARN2H1,b_getlearncosttalent(other,NPC_TALENT_2H)),dia_babo_teach_2h_1); Info_AddChoice(dia_babo_teach,b_buildlearnstring(PRINT_LEARN2H5,b_getlearncosttalent(other,NPC_TALENT_2H) * 5),dia_babo_teach_2h_5); }; func void dia_babo_teach_back() { if(other.hitchance[NPC_TALENT_2H] >= 70) { AI_Output(self,other,"DIA_DIA_Babo_Teach_Back_03_00"); //Ты знаешь больше о двуручном оружии, чем я мог бы научить тебя. DIA_BABO_TEACH_PERMANENT = TRUE; }; Info_ClearChoices(dia_babo_teach); }; func void dia_babo_teach_2h_1() { b_teachfighttalentpercent(self,other,NPC_TALENT_2H,1,70); if(other.hitchance[NPC_TALENT_2H] > BABO_MERK2H) { if(BABO_LABERCOUNT == 0) { AI_Output(self,other,"DIA_DIA_Babo_Teach_03_00"); //Сражайся за Инноса. Иннос - наша жизнь, и твоя вера придаст тебе силы. }; if(BABO_LABERCOUNT == 1) { AI_Output(self,other,"DIA_DIA_Babo_Teach_03_01"); //Слуга Инноса никогда не провоцирует противника - он удивляет его! }; if(BABO_LABERCOUNT == 2) { AI_Output(self,other,"DIA_DIA_Babo_Teach_03_02"); //Куда бы ты ни шел - всегда бери с собой свой посох. }; if(BABO_LABERCOUNT == 3) { AI_Output(self,other,"DIA_DIA_Babo_Teach_03_03"); //Слуга Инноса всегда готов к бою. Если у тебя нет никакой магии, твой посох - твой самый важный элемент обороны. }; BABO_LABERCOUNT = BABO_LABERCOUNT + 1; if(BABO_LABERCOUNT >= 3) { BABO_LABERCOUNT = 0; }; }; Info_ClearChoices(dia_babo_teach); Info_AddChoice(dia_babo_teach,DIALOG_BACK,dia_babo_teach_back); Info_AddChoice(dia_babo_teach,b_buildlearnstring(PRINT_LEARN2H1,b_getlearncosttalent(other,NPC_TALENT_2H)),dia_babo_teach_2h_1); Info_AddChoice(dia_babo_teach,b_buildlearnstring(PRINT_LEARN2H5,b_getlearncosttalent(other,NPC_TALENT_2H) * 5),dia_babo_teach_2h_5); }; func void dia_babo_teach_2h_5() { b_teachfighttalentpercent(self,other,NPC_TALENT_2H,5,70); if(other.hitchance[NPC_TALENT_2H] > BABO_MERK2H) { if(BABO_LABERCOUNT == 0) { AI_Output(self,other,"DIA_DIA_Babo_Teach_2H_5_03_00"); //Слуга Инноса сражается не только своим посохом, но также и своим сердцем. }; if(BABO_LABERCOUNT == 1) { AI_Output(self,other,"DIA_DIA_Babo_Teach_2H_5_03_01"); //Ты должен понимать, до какого предела ты можешь отступить. }; if(BABO_LABERCOUNT == 2) { AI_Output(self,other,"DIA_DIA_Babo_Teach_2H_5_03_02"); //Помни, ты хорошо сражаешься, когда ты контролируешь противника и не даешь ему шанса контролировать себя. }; if(BABO_LABERCOUNT == 3) { AI_Output(self,other,"DIA_DIA_Babo_Teach_2H_5_03_03"); //Когда ты бросаешь бой, ты только теряешь. }; BABO_LABERCOUNT = BABO_LABERCOUNT + 1; if(BABO_LABERCOUNT >= 3) { BABO_LABERCOUNT = 0; }; }; Info_ClearChoices(dia_babo_teach); Info_AddChoice(dia_babo_teach,DIALOG_BACK,dia_babo_teach_back); Info_AddChoice(dia_babo_teach,b_buildlearnstring(PRINT_LEARN2H1,b_getlearncosttalent(other,NPC_TALENT_2H)),dia_babo_teach_2h_1); Info_AddChoice(dia_babo_teach,b_buildlearnstring(PRINT_LEARN2H5,b_getlearncosttalent(other,NPC_TALENT_2H) * 5),dia_babo_teach_2h_5); }; instance DIA_BABO_WURST(C_INFO) { npc = nov_612_babo; nr = 2; condition = dia_babo_wurst_condition; information = dia_babo_wurst_info; permanent = FALSE; description = "Вот, держи колбасу."; }; func int dia_babo_wurst_condition() { if((KAPITEL == 1) && (MIS_GORAXESSEN == LOG_RUNNING) && (Npc_HasItems(self,itfo_schafswurst) == 0) && (Npc_HasItems(other,itfo_schafswurst) >= 1)) { return TRUE; }; }; func void dia_babo_wurst_info() { var string novizetext; var string novizeleft; AI_Output(other,self,"DIA_Babo_Wurst_15_00"); //Вот, держи колбасу. AI_Output(self,other,"DIA_Babo_Wurst_03_01"); //Ох, баранья колбаса, отлично! Какой потрясающий вкус - дай мне еще одну колбаску! AI_Output(other,self,"DIA_Babo_Wurst_15_02"); //Тогда у меня не хватит колбасы для других. AI_Output(self,other,"DIA_Babo_Wurst_03_03"); //У тебя все равно на одну колбаску больше, чем нужно. Ну, на ту, что предназначена для тебя. Мы же друзья. Что мы будем делить какую-то колбасу? AI_Output(self,other,"DIA_Babo_Wurst_03_04"); //Ну же, я дам тебе за нее свиток 'Огненная стрела'. b_giveinvitems(other,self,itfo_schafswurst,1); WURST_GEGEBEN = WURST_GEGEBEN + 1; CreateInvItems(self,itfo_sausage,1); b_useitem(self,itfo_sausage); novizeleft = IntToString(13 - WURST_GEGEBEN); novizetext = ConcatStrings(novizeleft,PRINT_NOVIZENLEFT); AI_PrintScreen(novizetext,-1,YPOS_GOLDGIVEN,FONT_SCREENSMALL,3); Info_ClearChoices(dia_babo_wurst); if(Npc_HasItems(other,itfo_schafswurst) >= 1) { Info_AddChoice(dia_babo_wurst,"Хорошо, держи еще одну колбасу.",dia_babo_wurst_ja); }; Info_AddChoice(dia_babo_wurst,"Нет, я не сделаю этого.",dia_babo_wurst_nein); }; func void dia_babo_wurst_ja() { AI_Output(other,self,"DIA_Babo_Wurst_JA_15_00"); //Хорошо, держи еще одну колбасу. AI_Output(self,other,"DIA_Babo_Wurst_JA_03_01"); //Отлично. Вот твой свиток. b_giveinvitems(other,self,itfo_schafswurst,1); b_giveinvitems(self,other,itsc_firebolt,1); Info_ClearChoices(dia_babo_wurst); }; func void dia_babo_wurst_nein() { AI_Output(other,self,"DIA_Babo_Wurst_NEIN_15_00"); //Нет, я не сделаю этого. AI_Output(self,other,"DIA_Babo_Wurst_NEIN_03_01"); //Слушай, ты что, один из тех людей, что очень щепетильно относятся ко всему, а? Info_ClearChoices(dia_babo_wurst); }; instance DIA_BABO_YOUANDAGON(C_INFO) { npc = nov_612_babo; nr = 3; condition = dia_babo_youandagon_condition; information = dia_babo_youandagon_info; permanent = FALSE; description = "Что произошло между тобой и Агоном?"; }; func int dia_babo_youandagon_condition() { if(Npc_KnowsInfo(other,dia_opolos_monastery) && (other.guild == GIL_NOV)) { return TRUE; }; }; func void dia_babo_youandagon_info() { AI_Output(other,self,"DIA_Babo_YouAndAgon_15_00"); //Что произошло между тобой и Агоном? AI_Output(self,other,"DIA_Babo_YouAndAgon_03_01"); //Ох, мы поспорили о том, как нужно ухаживать за огненной крапивой. AI_Output(self,other,"DIA_Babo_YouAndAgon_03_02"); //Агон поливал ее так, что корни бедного растения почти совсем сгнили. AI_Output(self,other,"DIA_Babo_YouAndAgon_03_03"); //А когда они сгнили совсем, он обвинил в этом меня. AI_Output(self,other,"DIA_Babo_YouAndAgon_03_04"); //Теперь меня постоянно заставляют подметать двор в наказание. }; instance DIA_BABO_WHYDIDAGON(C_INFO) { npc = nov_612_babo; nr = 4; condition = dia_babo_whydidagon_condition; information = dia_babo_whydidagon_info; permanent = FALSE; description = "Зачем Агон сделал это?"; }; func int dia_babo_whydidagon_condition() { if(Npc_KnowsInfo(other,dia_babo_youandagon) && (hero.guild == GIL_NOV)) { return TRUE; }; }; func void dia_babo_whydidagon_info() { AI_Output(other,self,"DIA_Babo_WhyDidAgon_15_00"); //Зачем Агон сделал это? AI_Output(self,other,"DIA_Babo_WhyDidAgon_03_01"); //Тебе лучше самому спросить его об этом. Я думаю, он просто не выносит, когда кто-то оказывается лучше его. }; instance DIA_BABO_PLANTLORE(C_INFO) { npc = nov_612_babo; nr = 5; condition = dia_babo_plantlore_condition; information = dia_babo_plantlore_info; permanent = FALSE; description = "Похоже ты хорошо разбираешься в растениях?"; }; func int dia_babo_plantlore_condition() { if(Npc_KnowsInfo(other,dia_babo_youandagon) && (hero.guild == GIL_NOV)) { return TRUE; }; }; func void dia_babo_plantlore_info() { AI_Output(other,self,"DIA_Babo_PlantLore_15_00"); //Похоже ты хорошо разбираешься в растениях? AI_Output(self,other,"DIA_Babo_PlantLore_03_01"); //У нас в семье была делянка, где мы выращивали различные травы, и я научился кое-чему у дедушки. AI_Output(self,other,"DIA_Babo_PlantLore_03_02"); //Я бы так хотел опять работать в саду. MIS_HELPBABO = LOG_RUNNING; Log_CreateTopic(TOPIC_BABOGAERTNER,LOG_MISSION); Log_SetTopicStatus(TOPIC_BABOGAERTNER,LOG_RUNNING); b_logentry(TOPIC_BABOGAERTNER,"Бабо предпочел бы пропалывать травы, чем подметать двор."); }; instance DIA_BABO_FEGEN(C_INFO) { npc = nov_612_babo; nr = 2; condition = dia_babo_fegen_condition; information = dia_babo_fegen_info; permanent = FALSE; description = "Я должен подметать кельи послушников."; }; func int dia_babo_fegen_condition() { if(MIS_PARLANFEGEN == LOG_RUNNING) { return TRUE; }; }; func void dia_babo_fegen_info() { AI_Output(other,self,"DIA_Babo_Fegen_15_00"); //Я должен подметать кельи послушников. AI_Output(self,other,"DIA_Babo_Fegen_03_01"); //Ты взвалил на себя слишком много работы. Знаешь что - я помогу тебе. Тебе ни за что не справиться одному. AI_Output(self,other,"DIA_Babo_Fegen_03_02"); //Но мне очень нужен свиток с заклинанием 'Кулак Ветра'. Знаешь, мне повезло, и мне было позволено прочесть книгу о нем. AI_Output(self,other,"DIA_Babo_Fegen_03_03"); //И теперь, естественно, я хочу испытать это заклинание. Так что если ты принесешь мне этот свиток, я помогу тебе. b_logentry(TOPIC_PARLANFEGEN,"Бабо поможет мне подмести кельи послушников, если я принесу ему свиток с заклинанием Кулак ветра."); }; instance DIA_BABO_WINDFAUST(C_INFO) { npc = nov_612_babo; nr = 3; condition = dia_babo_windfaust_condition; information = dia_babo_windfaust_info; permanent = TRUE; description = "Насчет свитка с заклинанием... (ОТДАТЬ КУЛАК ВЕТРА)"; }; var int dia_babo_windfaust_permanent; func int dia_babo_windfaust_condition() { if((MIS_PARLANFEGEN == LOG_RUNNING) && Npc_KnowsInfo(other,dia_babo_fegen) && (DIA_BABO_WINDFAUST_PERMANENT == FALSE)) { return TRUE; }; }; func void dia_babo_windfaust_info() { AI_Output(other,self,"DIA_Babo_Windfaust_15_00"); //Насчет свитка... AI_Output(self,other,"DIA_Babo_Windfaust_03_01"); //У тебя есть свиток 'Кулак Ветра' для меня? if(b_giveinvitems(other,self,itsc_windfist,1)) { AI_Output(other,self,"DIA_Babo_Windfaust_15_02"); //Вот свиток, который ты хотел получить. AI_Output(self,other,"DIA_Babo_Windfaust_03_03"); //Отлично. Тогда я помогу тебе подметать кельи. NOV_HELFER = NOV_HELFER + 1; DIA_BABO_WINDFAUST_PERMANENT = TRUE; b_giveplayerxp(XP_FEGER); AI_StopProcessInfos(self); Npc_ExchangeRoutine(self,"FEGEN"); b_logentry(TOPIC_PARLANFEGEN,"Бабо поможет мне подмести кельи послушников."); } else { AI_Output(other,self,"DIA_Babo_Windfaust_15_04"); //Нет, пока нет. AI_Output(self,other,"DIA_Babo_Windfaust_03_05"); //Ничего, я подожду. }; AI_StopProcessInfos(self); }; instance DIA_BABO_LIFE(C_INFO) { npc = nov_612_babo; nr = 10; condition = dia_babo_life_condition; information = dia_babo_life_info; permanent = TRUE; description = "Как жизнь в монастыре?"; }; func int dia_babo_life_condition() { if(other.guild == GIL_NOV) { return TRUE; }; }; func void dia_babo_life_info() { AI_Output(other,self,"DIA_Babo_Life_15_00"); //Как жизнь в монастыре? AI_Output(self,other,"DIA_Babo_Life_03_01"); //Не хочу жаловаться, но я никогда не думал, что здесь такие жесткие правила. Если ты не нарушаешь правила, тебя наказывают. AI_Output(self,other,"DIA_Babo_Life_03_02"); //Конечно, многие послушники хотят изучать учения Инноса в библиотеке, чтобы подготовиться стать избранными. AI_Output(self,other,"DIA_Babo_Life_03_03"); //Но я думаю, что лучшая подготовка к испытанию магией - это тщательно выполнять нашу работу. if(Npc_KnowsInfo(other,dia_igaranz_choosen) == FALSE) { AI_Output(other,self,"DIA_Babo_Life_15_04"); //Что ты там говорил об избранных, и что за испытание? AI_Output(self,other,"DIA_Babo_Life_03_05"); //Поговори с братом Игарацем. Он больше знает об этом. }; }; instance DIA_BABO_HOWISIT(C_INFO) { npc = nov_612_babo; nr = 1; condition = dia_babo_howisit_condition; information = dia_babo_howisit_info; permanent = TRUE; description = "Как дела?"; }; func int dia_babo_howisit_condition() { if((hero.guild == GIL_KDF) && (KAPITEL < 3)) { return TRUE; }; }; var int babo_xpgiven; func void dia_babo_howisit_info() { AI_Output(other,self,"DIA_Babo_HowIsIt_15_00"); //Как дела? if(MIS_HELPBABO == LOG_SUCCESS) { AI_Output(self,other,"DIA_Babo_HowIsIt_03_01"); //(робко) Я благодарю магов за данные мне поручения. AI_Output(self,other,"DIA_Babo_HowIsIt_03_02"); //Мне нравится работать в саду, и я надеюсь, что маги довольны мной, Мастер. if(BABO_XPGIVEN == FALSE) { b_giveplayerxp(XP_AMBIENT); BABO_XPGIVEN = TRUE; }; } else { AI_Output(self,other,"DIA_Babo_HowIsIt_03_03"); //(испуганно) Х... х... хорошо, Мастер. AI_Output(self,other,"DIA_Babo_HowIsIt_03_04"); //Я, я усердно работаю и пытаюсь не разочаровать магов. }; AI_StopProcessInfos(self); }; instance DIA_BABO_KAP2_EXIT(C_INFO) { npc = nov_612_babo; nr = 999; condition = dia_babo_kap2_exit_condition; information = dia_babo_kap2_exit_info; permanent = TRUE; description = DIALOG_ENDE; }; func int dia_babo_kap2_exit_condition() { if(KAPITEL == 2) { return TRUE; }; }; func void dia_babo_kap2_exit_info() { AI_StopProcessInfos(self); }; instance DIA_BABO_KAP3_EXIT(C_INFO) { npc = nov_612_babo; nr = 999; condition = dia_babo_kap3_exit_condition; information = dia_babo_kap3_exit_info; permanent = TRUE; description = DIALOG_ENDE; }; func int dia_babo_kap3_exit_condition() { if(KAPITEL == 3) { return TRUE; }; }; func void dia_babo_kap3_exit_info() { AI_StopProcessInfos(self); }; instance DIA_BABO_KAP3_HELLO(C_INFO) { npc = nov_612_babo; nr = 31; condition = dia_babo_kap3_hello_condition; information = dia_babo_kap3_hello_info; permanent = FALSE; description = "Что ты делаешь здесь?"; }; func int dia_babo_kap3_hello_condition() { if(KAPITEL >= 3) { return TRUE; }; }; func void dia_babo_kap3_hello_info() { AI_Output(other,self,"DIA_Babo_Kap3_Hello_15_00"); //Что ты делаешь здесь? if(hero.guild == GIL_KDF) { AI_Output(self,other,"DIA_Babo_Kap3_Hello_03_01"); //(застенчиво) Я пытаюсь выполнить задания, данные мне, так, чтобы маги монастыря остались довольны. } else { AI_Output(self,other,"DIA_Babo_Kap3_Hello_03_02"); //Я не должен говорить с тобой. Вряд ли это послужит мне на пользу, если заметят, что я говорю с чужаком. }; }; instance DIA_BABO_KAP3_KEEPTHEFAITH(C_INFO) { npc = nov_612_babo; nr = 31; condition = dia_babo_kap3_keepthefaith_condition; information = dia_babo_kap3_keepthefaith_info; permanent = FALSE; description = "Ты не должен терять веры."; }; func int dia_babo_kap3_keepthefaith_condition() { if((KAPITEL >= 3) && Npc_KnowsInfo(other,dia_babo_kap3_hello) && (hero.guild == GIL_KDF)) { return TRUE; }; }; func void dia_babo_kap3_keepthefaith_info() { AI_Output(other,self,"DIA_Babo_Kap3_KeepTheFaith_15_00"); //Ты не должен терять веры. AI_Output(self,other,"DIA_Babo_Kap3_KeepTheFaith_03_01"); //(застигнутый врасплох) Нет... Я хочу сказать, это больше не повторится. Клянусь! AI_Output(other,self,"DIA_Babo_Kap3_KeepTheFaith_15_02"); //Мы все проходим через суровые испытания. AI_Output(self,other,"DIA_Babo_Kap3_KeepTheFaith_03_03"); //Да, Мастер. Я буду всегда помнить это. Спасибо. b_giveplayerxp(XP_AMBIENT); }; instance DIA_BABO_KAP3_UNHAPPY(C_INFO) { npc = nov_612_babo; nr = 31; condition = dia_babo_kap3_unhappy_condition; information = dia_babo_kap3_unhappy_info; permanent = FALSE; description = "Ты не выглядишь особенно веселым."; }; func int dia_babo_kap3_unhappy_condition() { if((KAPITEL >= 3) && (hero.guild != GIL_KDF) && Npc_KnowsInfo(other,dia_babo_kap3_hello)) { return TRUE; }; }; func void dia_babo_kap3_unhappy_info() { AI_Output(other,self,"DIA_Babo_Kap3_Unhappy_15_00"); //Ты не выглядишь особенно веселым. AI_Output(self,other,"DIA_Babo_Kap3_Unhappy_03_01"); //(застигнутый врасплох) Эээ... я хочу сказать, со мной все в порядке, правда. AI_Output(self,other,"DIA_Babo_Kap3_Unhappy_03_02"); //Только... Ох, я не хочу жаловаться. Info_ClearChoices(dia_babo_kap3_unhappy); Info_AddChoice(dia_babo_kap3_unhappy,"Тогда прекрати хныкать.",dia_babo_kap3_unhappy_lament); Info_AddChoice(dia_babo_kap3_unhappy,"Да ладно, мне-то ты можешь сказать.",dia_babo_kap3_unhappy_tellme); }; func void dia_babo_kap3_unhappy_lament() { AI_Output(other,self,"DIA_Babo_Kap3_Unhappy_Lament_15_00"); //Тогда прекрати хныкать. AI_Output(self,other,"DIA_Babo_Kap3_Unhappy_Lament_03_01"); //(испуганно) Я... Я... пожалуйста, не говори магам. AI_Output(self,other,"DIA_Babo_Kap3_Unhappy_Lament_03_02"); //Я не хочу, чтобы меня опять наказали. AI_Output(other,self,"DIA_Babo_Kap3_Unhappy_Lament_15_03"); //Я подумаю над этим. Info_ClearChoices(dia_babo_kap3_unhappy); }; func void dia_babo_kap3_unhappy_tellme() { AI_Output(other,self,"DIA_Babo_Kap3_Unhappy_TellMe_15_00"); //Да ладно, мне-то ты можешь сказать. AI_Output(self,other,"DIA_Babo_Kap3_Unhappy_TellMe_03_01"); //А ты правда не скажешь магам? AI_Output(other,self,"DIA_Babo_Kap3_Unhappy_TellMe_15_02"); //Я похож на того, кто сразу бежит докладывать? AI_Output(self,other,"DIA_Babo_Kap3_Unhappy_TellMe_03_03"); //Ну, хорошо. У меня проблемы с одним из послушников. Он шантажирует меня. AI_Output(other,self,"DIA_Babo_Kap3_Unhappy_TellMe_15_04"); //Давай, выкладывай. AI_Output(self,other,"DIA_Babo_Kap3_Unhappy_TellMe_03_05"); //Игарац, так зовут этого послушника, нашел мои личные записи. AI_Output(self,other,"DIA_Babo_Kap3_Unhappy_TellMe_03_06"); //Он угрожает передать их магам, если я не буду делать то, что он говорит. MIS_BABOSDOCS = LOG_RUNNING; Log_CreateTopic(TOPIC_BABOSDOCS,LOG_MISSION); Log_SetTopicStatus(TOPIC_BABOSDOCS,LOG_RUNNING); b_logentry(TOPIC_BABOSDOCS,"Игарац шантажирует послушника Бабо какими-то документами."); Info_ClearChoices(dia_babo_kap3_unhappy); Info_AddChoice(dia_babo_kap3_unhappy,"Я думаю, что мне не стоит влезать в эти дрязги.",dia_babo_kap3_unhappy_privat); Info_AddChoice(dia_babo_kap3_unhappy,"Что ты должен делать для него?",dia_babo_kap3_unhappy_shoulddo); Info_AddChoice(dia_babo_kap3_unhappy,"Что это были за записи?",dia_babo_kap3_unhappy_documents); Info_AddChoice(dia_babo_kap3_unhappy,"Может быть, я могу помочь тебе?",dia_babo_kap3_unhappy_canhelpyou); }; func void dia_babo_kap3_unhappy_privat() { AI_Output(other,self,"DIA_Babo_Kap3_Unhappy_Privat_15_00"); //Я думаю, что мне не стоит влезать в эти дрязги. AI_Output(self,other,"DIA_Babo_Kap3_Unhappy_Privat_03_01"); //Я понимаю, тебе не нужны проблемы. Я сам с этим как-нибудь разберусь. AI_Output(other,self,"DIA_Babo_Kap3_Unhappy_Privat_15_02"); //Я верю, ты справишься. Info_ClearChoices(dia_babo_kap3_unhappy); }; func void dia_babo_kap3_unhappy_shoulddo() { AI_Output(other,self,"DIA_Babo_Kap3_Unhappy_ShouldDo_15_00"); //Что ты должен делать для него? AI_Output(self,other,"DIA_Babo_Kap3_Unhappy_ShouldDo_03_01"); //Мне так стыдно говорить. Это все не понравится Инносу. AI_Output(self,other,"DIA_Babo_Kap3_Unhappy_ShouldDo_03_02"); //Мне даже думать не хочется, что будет, если все раскроется. }; func void dia_babo_kap3_unhappy_documents() { AI_Output(other,self,"DIA_Babo_Kap3_Unhappy_Documents_15_00"); //Что это были за записи? AI_Output(self,other,"DIA_Babo_Kap3_Unhappy_Documents_03_01"); //(неуверенно) Это никого не касается. Это мое личное дело. AI_Output(other,self,"DIA_Babo_Kap3_Unhappy_Documents_15_02"); //Да ладно, говори. AI_Output(self,other,"DIA_Babo_Kap3_Unhappy_Documents_03_03"); //Они... это... абсолютно нормальные записи. Ничего особенного. AI_Output(other,self,"DIA_Babo_Kap3_Unhappy_Documents_15_04"); //Я больше не буду спрашивать. }; func void dia_babo_kap3_unhappy_canhelpyou() { AI_Output(other,self,"DIA_Babo_Kap3_Unhappy_CanHelpYou_15_00"); //Может быть, я могу помочь тебе? AI_Output(self,other,"DIA_Babo_Kap3_Unhappy_CanHelpYou_03_01"); //Ты сделаешь это? AI_Output(other,self,"DIA_Babo_Kap3_Unhappy_CanHelpYou_15_02"); //Ну... возможно... это зависит от... AI_Output(self,other,"DIA_Babo_Kap3_Unhappy_CanHelpYou_03_03"); //(поспешно) Конечно же, я заплачу тебе за это. AI_Output(other,self,"DIA_Babo_Kap3_Unhappy_CanHelpYou_15_04"); //Сколько? AI_Output(self,other,"DIA_Babo_Kap3_Unhappy_CanHelpYou_03_05"); //Ну, у меня не так много денег, но я мог бы дать тебе свиток с заклинанием. У меня есть лечебное заклинание. Info_ClearChoices(dia_babo_kap3_unhappy); Info_AddChoice(dia_babo_kap3_unhappy,"Я лучше не буду связываться с этим.",dia_babo_kap3_unhappy_no); Info_AddChoice(dia_babo_kap3_unhappy,"Я попробую.",dia_babo_kap3_unhappy_yes); }; func void dia_babo_kap3_unhappy_no() { AI_Output(other,self,"DIA_Babo_Kap3_Unhappy_No_15_00"); //Я лучше не буду связываться с этим. AI_Output(self,other,"DIA_Babo_Kap3_Unhappy_No_03_01"); //Тогда у меня нет выбора, мне придется выпутываться самому. Info_ClearChoices(dia_babo_kap3_unhappy); }; func void dia_babo_kap3_unhappy_yes() { AI_Output(other,self,"DIA_Babo_Kap3_Unhappy_Yes_15_00"); //Я посмотрю, что можно сделать. AI_Output(self,other,"DIA_Babo_Kap3_Unhappy_Yes_03_01"); //(счастливо) Правда?! Я знаю, у тебя получится. Я верю! AI_Output(self,other,"DIA_Babo_Kap3_Unhappy_Yes_03_02"); //Тебе нужно только выяснить, где Игарац держит свои вещи. Затем ты выкрадешь их у него, и все будет в порядке. AI_Output(other,self,"DIA_Babo_Kap3_Unhappy_Yes_15_03"); //Расслабься. Продолжай работать. А я позабочусь об остальном. Info_ClearChoices(dia_babo_kap3_unhappy); }; instance DIA_BABO_KAP3_HAVEYOURDOCS(C_INFO) { npc = nov_612_babo; nr = 31; condition = dia_babo_kap3_haveyourdocs_condition; information = dia_babo_kap3_haveyourdocs_info; permanent = FALSE; description = "Я нашел твои записки."; }; func int dia_babo_kap3_haveyourdocs_condition() { if(((MIS_BABOSDOCS == LOG_RUNNING) && (Npc_HasItems(other,itwr_babosdocs_mis) >= 1)) || ((Npc_HasItems(other,itwr_babospinup_mis) >= 1) && (Npc_HasItems(other,itwr_babosletter_mis) >= 1))) { return TRUE; }; }; func void dia_babo_kap3_haveyourdocs_info() { AI_Output(other,self,"DIA_Babo_Kap3_HaveYourDocs_15_00"); //Я нашел твои записки. AI_Output(self,other,"DIA_Babo_Kap3_HaveYourDocs_03_01"); //Правда? Спасибо, ты спас меня. Я даже не знаю, как благодарить тебя. AI_Output(other,self,"DIA_Babo_Kap3_HaveYourDocs_15_02"); //Да, да, просто успокойся. AI_Output(self,other,"DIA_Babo_Kap3_HaveYourDocs_03_03"); //(нервно) Это действительно мои? Ты уверен? Покажи мне. Info_ClearChoices(dia_babo_kap3_haveyourdocs); Info_AddChoice(dia_babo_kap3_haveyourdocs,"Я подержу их пока у себя.",dia_babo_kap3_haveyourdocs_keepthem); if(BABOSDOCSOPEN == TRUE) { Info_AddChoice(dia_babo_kap3_haveyourdocs,"Теперь, учитывая все обстоятельства, цена выросла.",dia_babo_kap3_haveyourdocs_iwantmore); }; Info_AddChoice(dia_babo_kap3_haveyourdocs,"Вот, держи.",dia_babo_kap3_haveyourdocs_heretheyare); }; func void dia_babo_kap3_haveyourdocs_keepthem() { AI_Output(other,self,"DIA_Babo_Kap3_HaveYourDocs_KeepThem_15_00"); //Я подержу их пока у себя . AI_Output(self,other,"DIA_Babo_Kap3_HaveYourDocs_KeepThem_03_01"); //(ошеломленно) Что?! Что это все значит? Что ты задумал? Info_ClearChoices(dia_babo_kap3_haveyourdocs); Info_AddChoice(dia_babo_kap3_haveyourdocs,"Просто шучу.",dia_babo_kap3_haveyourdocs_keepthem_justjoke); Info_AddChoice(dia_babo_kap3_haveyourdocs,"Это мое дело.",dia_babo_kap3_haveyourdocs_keepthem_myconcern); if(IGARAZ_ISPARTNER == LOG_SUCCESS) { Info_AddChoice(dia_babo_kap3_haveyourdocs,"Игарац и я теперь партнеры.",dia_babo_kap3_haveyourdocs_keepthem_partner); }; }; func void dia_babo_kap3_haveyourdocs_keepthem_justjoke() { AI_Output(other,self,"DIA_Babo_Kap3_HaveYourDocs_KeepThem_JustJoke_15_00"); //Просто шучу. AI_Output(self,other,"DIA_Babo_Kap3_HaveYourDocs_KeepThem_JustJoke_03_01"); //(кисло) Ха-ха, но мне что-то не смешно. Где же они? AI_Output(other,self,"DIA_Babo_Kap3_HaveYourDocs_KeepThem_JustJoke_15_02"); //Здесь. if(Npc_HasItems(other,itwr_babosdocs_mis) >= 1) { b_giveinvitems(other,self,itwr_babosdocs_mis,1); } else { b_giveinvitems(other,self,itwr_babospinup_mis,1); b_giveinvitems(other,self,itwr_babosletter_mis,1); }; b_usefakescroll(); AI_Output(self,other,"DIA_Babo_Kap3_HaveYourDocs_KeepThem_JustJoke_03_03"); //Я не хотел обидеть тебя, но я просто очень переживаю. AI_Output(other,self,"DIA_Babo_Kap3_HaveYourDocs_KeepThem_JustJoke_15_04"); //Все хорошо. Наслаждайся своими записками. MIS_BABOSDOCS = LOG_SUCCESS; b_giveplayerxp(XP_BABOSDOCS); Info_ClearChoices(dia_babo_kap3_haveyourdocs); }; func void dia_babo_kap3_haveyourdocs_keepthem_myconcern() { AI_Output(other,self,"DIA_Babo_Kap3_HaveYourDocs_KeepThem_MyConcern_15_00"); //Это мое дело. AI_Output(self,other,"DIA_Babo_Kap3_HaveYourDocs_KeepThem_MyConcern_03_01"); //Эти записи принадлежат мне. Ты не имеешь права забирать их себе. AI_Output(other,self,"DIA_Babo_Kap3_HaveYourDocs_KeepThem_MyConcern_15_02"); //Еще увидимся. Info_ClearChoices(dia_babo_kap3_haveyourdocs); }; func void dia_babo_kap3_haveyourdocs_keepthem_partner() { AI_Output(other,self,"DIA_Babo_Kap3_HaveYourDocs_KeepThem_Partner_15_00"); //Игарац и я теперь партнеры. AI_Output(self,other,"DIA_Babo_Kap3_HaveYourDocs_KeepThem_Partner_03_01"); //(ошеломленно) Что? Ты не можешь поступить со мной так. AI_Output(other,self,"DIA_Babo_Kap3_HaveYourDocs_KeepThem_Partner_15_02"); //А я думаю, что могу. Я придержу у себя эти бумаги, пусть все пока останется так, как есть. AI_Output(other,self,"DIA_Babo_Kap3_HaveYourDocs_KeepThem_Partner_15_03"); //Я должен обговорить финансовую часть с Игарацем. AI_Output(other,self,"DIA_Babo_Kap3_HaveYourDocs_KeepThem_Partner_15_04"); //А ты пока занимайся своими растениями. AI_Output(self,other,"DIA_Babo_Kap3_HaveYourDocs_KeepThem_Partner_03_05"); //Ты свинья. Презренная жадная свинья. Иннос покарает тебя. Info_ClearChoices(dia_babo_kap3_haveyourdocs); Info_AddChoice(dia_babo_kap3_haveyourdocs,DIALOG_ENDE,dia_babo_kap3_haveyourdocs_end); Info_AddChoice(dia_babo_kap3_haveyourdocs,"Придержи язык.",dia_babo_kap3_haveyourdocs_keepthem_partner_keepcalm); Info_AddChoice(dia_babo_kap3_haveyourdocs,"Тебе что, нечем заняться?",dia_babo_kap3_haveyourdocs_keepthem_partner_nothingtodo); }; func void dia_babo_kap3_haveyourdocs_end() { AI_StopProcessInfos(self); }; func void dia_babo_kap3_haveyourdocs_keepthem_partner_keepcalm() { AI_Output(other,self,"DIA_Babo_Kap3_HaveYourDocs_KeepThem_Partner_KeepCalm_15_00"); //Придержи язык. AI_Output(self,other,"DIA_Babo_Kap3_HaveYourDocs_KeepThem_Partner_KeepCalm_03_01"); //Я буду вежлив как всегда. AI_StopProcessInfos(self); }; func void dia_babo_kap3_haveyourdocs_keepthem_partner_nothingtodo() { AI_Output(other,self,"DIA_Babo_Kap3_HaveYourDocs_NothingToDo_15_00"); //Тебе что, нечем заняться? AI_Output(self,other,"DIA_Babo_Kap3_HaveYourDocs_NothingToDo_03_01"); //Я все понимаю, но, поверь мне, ты пожалеешь об этом. AI_StopProcessInfos(self); }; func void dia_babo_kap3_haveyourdocs_iwantmore() { AI_Output(other,self,"DIA_Babo_Kap3_HaveYourDocs_IWantMore_15_00"); //Теперь, учитывая все обстоятельства, цена выросла. AI_Output(self,other,"DIA_Babo_Kap3_HaveYourDocs_IWantMore_03_01"); //Ту не лучше остальных. Чего ты хочешь? AI_Output(other,self,"DIA_Babo_Kap3_HaveYourDocs_IWantMore_15_02"); //А что у тебя есть? AI_Output(self,other,"DIA_Babo_Kap3_HaveYourDocs_IWantMore_03_03"); //Я могу дать тебе 121 золотую монету - это все, что у меня есть. Info_ClearChoices(dia_babo_kap3_haveyourdocs); Info_AddChoice(dia_babo_kap3_haveyourdocs,"Этого недостаточно.",dia_babo_kap3_haveyourdocs_iwantmore_notenough); Info_AddChoice(dia_babo_kap3_haveyourdocs,"Договорились.",dia_babo_kap3_haveyourdocs_iwantmore_thatsenough); }; func void dia_babo_kap3_haveyourdocs_iwantmore_notenough() { AI_Output(other,self,"DIA_Babo_Kap3_HaveYourDocs_IWantMore_NotEnough_15_00"); //Этого недостаточно. AI_Output(self,other,"DIA_Babo_Kap3_HaveYourDocs_IWantMore_NotEnough_03_01"); //Но у меня нет больше денег. Если бы я знал об этом раньше, ноги бы моей не было в монастыре. Info_ClearChoices(dia_babo_kap3_haveyourdocs); }; func void dia_babo_kap3_haveyourdocs_iwantmore_thatsenough() { AI_Output(other,self,"DIA_Babo_Kap3_HaveYourDocs_IWantMore_ThatsEnough_15_00"); //Договорились. if(Npc_HasItems(other,itwr_babosdocs_mis) >= 1) { b_giveinvitems(other,self,itwr_babosdocs_mis,1); } else { b_giveinvitems(other,self,itwr_babospinup_mis,1); b_giveinvitems(other,self,itwr_babosletter_mis,1); }; b_usefakescroll(); AI_Output(self,other,"DIA_Babo_Kap3_HaveYourDocs_IWantMore_ThatsEnough_03_01"); //Вот деньги, и свиток. CreateInvItems(self,itsc_mediumheal,1); CreateInvItems(self,itmi_gold,121); b_giveinvitems(self,other,itsc_mediumheal,1); b_giveinvitems(self,other,itmi_gold,121); MIS_BABOSDOCS = LOG_SUCCESS; b_giveplayerxp(XP_BABOSDOCS); Info_ClearChoices(dia_babo_kap3_haveyourdocs); }; func void dia_babo_kap3_haveyourdocs_heretheyare() { AI_Output(other,self,"DIA_Babo_Kap3_HaveYourDocs_HereTheyAre_15_00"); //Вот, держи. if(Npc_HasItems(other,itwr_babosdocs_mis) >= 1) { b_giveinvitems(other,self,itwr_babosdocs_mis,1); } else { b_giveinvitems(other,self,itwr_babospinup_mis,1); b_giveinvitems(other,self,itwr_babosletter_mis,1); }; b_usefakescroll(); AI_Output(self,other,"DIA_Babo_Kap3_HaveYourDocs_HereTheyAre_03_01"); //Да, все на месте. AI_Output(self,other,"DIA_Babo_Kap3_HaveYourDocs_HereTheyAre_03_02"); //Ты читал их? AI_Output(other,self,"DIA_Babo_Kap3_HaveYourDocs_HereTheyAre_15_03"); //Это имеет какое-то значение? AI_Output(self,other,"DIA_Babo_Kap3_HaveYourDocs_HereTheyAre_03_04"); //Нет, когда они у меня в руках. AI_Output(self,other,"DIA_Babo_Kap3_HaveYourDocs_HereTheyAre_03_05"); //Теперь я надеюсь, что смогу опять спать спокойно. CreateInvItems(self,itsc_mediumheal,1); b_giveinvitems(self,other,itsc_mediumheal,1); MIS_BABOSDOCS = LOG_SUCCESS; b_giveplayerxp(XP_BABOSDOCS); Info_ClearChoices(dia_babo_kap3_haveyourdocs); }; instance DIA_BABO_KAP3_PERM(C_INFO) { npc = nov_612_babo; nr = 39; condition = dia_babo_kap3_perm_condition; information = dia_babo_kap3_perm_info; permanent = TRUE; description = "Ты доволен своей работой?"; }; func int dia_babo_kap3_perm_condition() { if(Npc_KnowsInfo(other,dia_babo_kap3_hello)) { return TRUE; }; }; func void dia_babo_kap3_perm_info() { AI_Output(other,self,"DIA_Babo_Kap3_Perm_15_00"); //Ты доволен своей работой? if(hero.guild == GIL_KDF) { AI_Output(self,other,"DIA_Babo_Kap3_Perm_03_01"); //(неубедительно) Да, конечно. Моя вера в мудрость и силу Инноса придает мне силы. AI_Output(self,other,"DIA_Babo_Kap3_Perm_03_02"); //(уклончиво) Я не хочу показаться невежливым, но у меня много дел сегодня. AI_Output(other,self,"DIA_Babo_Kap3_Perm_15_03"); //Можешь продолжать. AI_Output(self,other,"DIA_Babo_Kap3_Perm_03_04"); //(облегченно) Спасибо. } else { AI_Output(self,other,"DIA_Babo_Kap3_Perm_03_05"); //Все хорошо, но мне нужно возвращаться к работе, иначе мне ни за что не закончить ее сегодня. AI_Output(self,other,"DIA_Babo_Kap3_Perm_03_06"); //Я не хочу опять трудиться до полуночи, чтобы выполнить свою работу и не быть наказанным. }; AI_StopProcessInfos(self); }; instance DIA_BABO_KAP4_EXIT(C_INFO) { npc = nov_612_babo; nr = 999; condition = dia_babo_kap4_exit_condition; information = dia_babo_kap4_exit_info; permanent = TRUE; description = DIALOG_ENDE; }; func int dia_babo_kap4_exit_condition() { if(KAPITEL == 4) { return TRUE; }; }; func void dia_babo_kap4_exit_info() { AI_StopProcessInfos(self); }; instance DIA_BABO_KAP5_EXIT(C_INFO) { npc = nov_612_babo; nr = 999; condition = dia_babo_kap5_exit_condition; information = dia_babo_kap5_exit_info; permanent = TRUE; description = DIALOG_ENDE; }; func int dia_babo_kap5_exit_condition() { if(KAPITEL == 5) { return TRUE; }; }; func void dia_babo_kap5_exit_info() { AI_StopProcessInfos(self); }; instance DIA_BABO_PICKPOCKET(C_INFO) { npc = nov_612_babo; nr = 900; condition = dia_babo_pickpocket_condition; information = dia_babo_pickpocket_info; permanent = TRUE; description = PICKPOCKET_20; }; func int dia_babo_pickpocket_condition() { return c_beklauen(17,25); }; func void dia_babo_pickpocket_info() { Info_ClearChoices(dia_babo_pickpocket); Info_AddChoice(dia_babo_pickpocket,DIALOG_BACK,dia_babo_pickpocket_back); Info_AddChoice(dia_babo_pickpocket,DIALOG_PICKPOCKET,dia_babo_pickpocket_doit); }; func void dia_babo_pickpocket_doit() { b_beklauen(); Info_ClearChoices(dia_babo_pickpocket); }; func void dia_babo_pickpocket_back() { Info_ClearChoices(dia_babo_pickpocket); };
D
module UnrealScript.IpDrv.TcpNetDriver; import ScriptClasses; import UnrealScript.Helpers; import UnrealScript.Engine.NetDriver; extern(C++) interface TcpNetDriver : NetDriver { public extern(D): private static __gshared ScriptClass mStaticClass; @property final static ScriptClass StaticClass() { mixin(MGSCC("Class IpDrv.TcpNetDriver")); } private static __gshared TcpNetDriver mDefaultProperties; @property final static TcpNetDriver DefaultProperties() { mixin(MGDPC("TcpNetDriver", "TcpNetDriver IpDrv.Default__TcpNetDriver")); } @property final { bool AllowPlayerPortUnreach() { mixin(MGBPC(404, 0x1)); } bool AllowPlayerPortUnreach(bool val) { mixin(MSBPC(404, 0x1)); } bool LogPortUnreach() { mixin(MGBPC(408, 0x1)); } bool LogPortUnreach(bool val) { mixin(MSBPC(408, 0x1)); } } }
D
import std.stdio; void main() { writeln("Counting down..."); countingDown(10); writeln("💥"); } void countingDown(uint v) { writeln(v); if (v == 0) { return; } countingDown(v - 1); }
D
module eventcore.core; public import eventcore.driver; import eventcore.drivers.posix.select; import eventcore.drivers.posix.epoll; import eventcore.drivers.posix.kqueue; import eventcore.drivers.libasync; import eventcore.drivers.winapi.driver; version (EventcoreEpollDriver) alias NativeEventDriver = EpollEventDriver; else version (EventcoreKqueueDriver) alias NativeEventDriver = KqueueEventDriver; else version (EventcoreWinAPIDriver) alias NativeEventDriver = WinAPIEventDriver; else version (EventcoreLibasyncDriver) alias NativeEventDriver = LibasyncEventDriver; else version (EventcoreSelectDriver) alias NativeEventDriver = SelectEventDriver; else alias NativeEventDriver = EventDriver; @property NativeEventDriver eventDriver() @safe @nogc nothrow { static if (is(NativeEventDriver == EventDriver)) assert(s_driver !is null, "setupEventDriver() was not called for this thread."); else assert(s_driver !is null, "eventcore.core static constructor didn't run!?"); return s_driver; } static if (!is(NativeEventDriver == EventDriver)) { static this() { if (!s_isMainThread) { if (!s_initCount++) { assert(s_driver is null); s_driver = new NativeEventDriver; } } } static ~this() { if (!s_isMainThread) { if (!--s_initCount) s_driver.dispose(); } } shared static this() { if (!s_initCount++) { s_driver = new NativeEventDriver; s_isMainThread = true; } } shared static ~this() { if (!--s_initCount) { s_driver.dispose(); } } } else { void setupEventDriver(EventDriver driver) { assert(driver !is null, "The event driver instance must be non-null."); assert(!s_driver, "Can only set up the event driver once per thread."); s_driver = driver; } } private { NativeEventDriver s_driver; bool s_isMainThread; // keeps track of nested DRuntime initializations that happen when // (un)loading shared libaries. int s_initCount = 0; }
D
module viva.logging; public import viva.logging.logger;
D
/* * This file is part of gtkD. * * gtkD is free software; you can redistribute it and/or modify * it under the terms of the GNU Lesser General Public License as published by * the Free Software Foundation; either version 2.1 of the License, or * (at your option) any later version. * * gtkD is distributed in the hope that it will be useful, * but WITHOUT ANY WARRANTY; without even the implied warranty of * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the * GNU Lesser General Public License for more details. * * You should have received a copy of the GNU Lesser General Public License * along with gtkD; if not, write to the Free Software * Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA */ // generated automatically - do not change // find conversion definition on APILookup.txt // implement new conversion functionalities on the wrap.utils pakage /* * Conversion parameters: * inFile = GstPadTemplate.html * outPack = gstreamer * outFile = PadTemplate * strct = GstPadTemplate * realStrct= * ctorStrct= * clss = PadTemplate * interf = * class Code: No * interface Code: No * template for: * extend = * implements: * prefixes: * - gst_pad_template_ * - gst_ * omit structs: * omit prefixes: * omit code: * omit signals: * imports: * - gtkD.glib.Str * - gtkD.gstreamer.Pad * - gtkD.gstreamer.Caps * structWrap: * - GstCaps* -> Caps * - GstPad* -> Pad * - GstPadTemplate* -> PadTemplate * module aliases: * local aliases: * overrides: */ module gtkD.gstreamer.PadTemplate; public import gtkD.gstreamerc.gstreamertypes; private import gtkD.gstreamerc.gstreamer; private import gtkD.glib.ConstructionException; private import gtkD.gobject.Signals; public import gtkD.gtkc.gdktypes; private import gtkD.glib.Str; private import gtkD.gstreamer.Pad; private import gtkD.gstreamer.Caps; private import gtkD.gstreamer.ObjectGst; /** * Description * Padtemplates describe the possible media types a pad or an elementfactory can * handle. This allows for both inspection of handled types before loading the * element plugin as well as identifying pads on elements that are not yet * created (request or sometimes pads). * Pad and PadTemplates have GstCaps attached to it to describe the media type * they are capable of dealing with. gst_pad_template_get_caps() or * GST_PAD_TEMPLATE_CAPS() are used to get the caps of a padtemplate. It's not * possible to modify the caps of a padtemplate after creation. * PadTemplates have a GstPadPresence property which identifies the lifetime * of the pad and that can be retrieved with GST_PAD_TEMPLATE_PRESENCE(). Also * the direction of the pad can be retrieved from the GstPadTemplate with * GST_PAD_TEMPLATE_DIRECTION(). * The GST_PAD_TEMPLATE_NAME_TEMPLATE() is important for GST_PAD_REQUEST pads * because it has to be used as the name in the gst_element_request_pad_by_name() * call to instantiate a pad from this template. * Padtemplates can be created with gst_pad_template_new() or with * gst_static_pad_template_get(), which creates a GstPadTemplate from a * GstStaticPadTemplate that can be filled with the * convenient GST_STATIC_PAD_TEMPLATE() macro. * A padtemplate can be used to create a pad (see gst_pad_new_from_template() * or gst_pad_new_from_static_template()) or to add to an element class * (see gst_element_class_add_pad_template()). * The following code example shows the code to create a pad from a padtemplate. * Example12.Create a pad from a padtemplate * GstStaticPadTemplate my_template = * GST_STATIC_PAD_TEMPLATE ( * "sink", // the name of the pad * GST_PAD_SINK, // the direction of the pad * GST_PAD_ALWAYS, // when this pad will be present * GST_STATIC_CAPS ( // the capabilities of the padtemplate * "audio/x-raw-int, " * "channels = (int) [ 1, 6 ]" * ) * ) * void * my_method (void) * { * GstPad *pad; * pad = gst_pad_new_from_static_template (my_template, "sink"); * ... * } * The following example shows you how to add the padtemplate to an * element class, this is usually done in the base_init of the class: * static void * my_element_base_init (gpointer g_class) * { * GstElementClass *gstelement_class = GST_ELEMENT_CLASS (g_class); * gst_element_class_add_pad_template (gstelement_class, * gst_static_pad_template_get (my_template)); * } * Last reviewed on 2006-02-14 (0.10.3) */ public class PadTemplate : ObjectGst { /** the main Gtk struct */ protected GstPadTemplate* gstPadTemplate; public GstPadTemplate* getPadTemplateStruct() { return gstPadTemplate; } /** the main Gtk struct as a void* */ protected override void* getStruct() { return cast(void*)gstPadTemplate; } /** * Sets our main struct and passes it to the parent class */ public this (GstPadTemplate* gstPadTemplate) { if(gstPadTemplate is null) { this = null; return; } //Check if there already is a D object for this gtk struct void* ptr = getDObject(cast(GObject*)gstPadTemplate); if( ptr !is null ) { this = cast(PadTemplate)ptr; return; } super(cast(GstObject*)gstPadTemplate); this.gstPadTemplate = gstPadTemplate; } /** */ int[char[]] connectedSignals; void delegate(Pad, PadTemplate)[] onPadCreatedListeners; /** * This signal is fired when an element creates a pad from this template. * See Also * GstPad, GstElementFactory */ void addOnPadCreated(void delegate(Pad, PadTemplate) dlg, ConnectFlags connectFlags=cast(ConnectFlags)0) { if ( !("pad-created" in connectedSignals) ) { Signals.connectData( getStruct(), "pad-created", cast(GCallback)&callBackPadCreated, cast(void*)this, null, connectFlags); connectedSignals["pad-created"] = 1; } onPadCreatedListeners ~= dlg; } extern(C) static void callBackPadCreated(GstPadTemplate* padTemplateStruct, GstPad* pad, PadTemplate padTemplate) { foreach ( void delegate(Pad, PadTemplate) dlg ; padTemplate.onPadCreatedListeners ) { dlg(new Pad(pad), padTemplate); } } /** * Converts a GstStaticPadTemplate into a GstPadTemplate. * Params: * padTemplate = the static pad template * Returns: a new GstPadTemplate. */ public static PadTemplate staticPadTemplateGet(GstStaticPadTemplate* padTemplate) { // GstPadTemplate* gst_static_pad_template_get (GstStaticPadTemplate *pad_template); auto p = gst_static_pad_template_get(padTemplate); if(p is null) { return null; } return new PadTemplate(cast(GstPadTemplate*) p); } /** * Gets the capabilities of the static pad template. * Params: * templ = a GstStaticPadTemplate to get capabilities of. * Returns: the GstCaps of the static pad template. If you need to keep areference to the caps, take a ref (see gst_caps_ref()). */ public static Caps staticPadTemplateGetCaps(GstStaticPadTemplate* templ) { // GstCaps* gst_static_pad_template_get_caps (GstStaticPadTemplate *templ); auto p = gst_static_pad_template_get_caps(templ); if(p is null) { return null; } return new Caps(cast(GstCaps*) p); } /** * Creates a new pad template with a name according to the given template * and with the given arguments. This functions takes ownership of the provided * caps, so be sure to not use them afterwards. * Params: * nameTemplate = the name template. * direction = the GstPadDirection of the template. * presence = the GstPadPresence of the pad. * caps = a GstCaps set for the template. The caps are taken ownership of. * Throws: ConstructionException GTK+ fails to create the object. */ public this (string nameTemplate, GstPadDirection direction, GstPadPresence presence, Caps caps) { // GstPadTemplate* gst_pad_template_new (const gchar *name_template, GstPadDirection direction, GstPadPresence presence, GstCaps *caps); auto p = gst_pad_template_new(Str.toStringz(nameTemplate), direction, presence, (caps is null) ? null : caps.getCapsStruct()); if(p is null) { throw new ConstructionException("null returned by gst_pad_template_new(Str.toStringz(nameTemplate), direction, presence, (caps is null) ? null : caps.getCapsStruct())"); } this(cast(GstPadTemplate*) p); } /** * Gets the capabilities of the pad template. * Returns: the GstCaps of the pad template. If you need to keep a reference tothe caps, take a ref (see gst_caps_ref()).Signal DetailsThe "pad-created" signalvoid user_function (GstPadTemplate *pad_template, GstPad *pad, gpointer user_data) : Run lastThis signal is fired when an element creates a pad from this template. */ public Caps getCaps() { // GstCaps* gst_pad_template_get_caps (GstPadTemplate *templ); auto p = gst_pad_template_get_caps(gstPadTemplate); if(p is null) { return null; } return new Caps(cast(GstCaps*) p); } }
D
insect having biting mouthparts and front wings modified to form horny covers overlying the membranous rear wings a tool resembling a hammer but with a large head (usually wooden be suspended over or hang over fly or go in a manner resembling a beetle beat with a beetle
D
/** Generator for project files Copyright: © 2012-2013 Matthias Dondorff License: Subject to the terms of the MIT license, as written in the included LICENSE.txt file. Authors: Matthias Dondorff */ module dub.generators.generator; import dub.compilers.compiler; import dub.generators.cmake; import dub.generators.build; import dub.generators.sublimetext; import dub.generators.visuald; import dub.internal.vibecompat.core.file; import dub.internal.vibecompat.core.log; import dub.internal.vibecompat.inet.path; import dub.package_; import dub.packagemanager; import dub.project; import std.algorithm : map, filter, canFind, balancedParens; import std.array : array; import std.array; import std.exception; import std.file; import std.string; /** Common interface for project generators/builders. */ class ProjectGenerator { /** Information about a single binary target. A binary target can either be an executable or a static/dynamic library. It consists of one or more packages. */ struct TargetInfo { /// The root package of this target Package pack; /// All packages compiled into this target Package[] packages; /// The configuration used for building the root package string config; /** Build settings used to build the target. The build settings include all sources of all contained packages. Depending on the specific generator implementation, it may be necessary to add any static or dynamic libraries generated for child targets ($(D linkDependencies)). */ BuildSettings buildSettings; /** List of all dependencies. This list includes dependencies that are not the root of a binary target. */ string[] dependencies; /** List of all binary dependencies. This list includes all dependencies that are the root of a binary target. */ string[] linkDependencies; } protected { Project m_project; } this(Project project) { m_project = project; } /** Performs the full generator process. */ final void generate(GeneratorSettings settings) { if (!settings.config.length) settings.config = m_project.getDefaultConfiguration(settings.platform); TargetInfo[string] targets; string[string] configs = m_project.getPackageConfigs(settings.platform, settings.config); foreach (pack; m_project.getTopologicalPackageList(true, null, configs)) { BuildSettings buildsettings; buildsettings.processVars(m_project, pack, pack.getBuildSettings(settings.platform, configs[pack.name]), true); prepareGeneration(pack.name, buildsettings); } string[] mainfiles; collect(settings, m_project.rootPackage, targets, configs, mainfiles, null); downwardsInheritSettings(m_project.rootPackage.name, targets, targets[m_project.rootPackage.name].buildSettings); auto bs = &targets[m_project.rootPackage.name].buildSettings; if (bs.targetType == TargetType.executable) bs.addSourceFiles(mainfiles); generateTargets(settings, targets); foreach (pack; m_project.getTopologicalPackageList(true, null, configs)) { BuildSettings buildsettings; buildsettings.processVars(m_project, pack, pack.getBuildSettings(settings.platform, configs[pack.name]), true); bool generate_binary = !(buildsettings.options & BuildOptions.syntaxOnly); finalizeGeneration(pack.name, buildsettings, pack.path, Path(bs.targetPath), generate_binary); } performPostGenerateActions(settings, targets); } /** Overridden in derived classes to implement the actual generator functionality. The function should go through all targets recursively. The first target (which is guaranteed to be there) is $(D targets[m_project.rootPackage.name]). The recursive descent is then done using the $(D TargetInfo.linkDependencies) list. This method is also potentially responsible for running the pre and post build commands, while pre and post generate commands are already taken care of by the $(D generate) method. Params: settings = The generator settings used for this run targets = A map from package name to TargetInfo that contains all binary targets to be built. */ protected abstract void generateTargets(GeneratorSettings settings, in TargetInfo[string] targets); /** Overridable method to be invoked after the generator process has finished. An examples of functionality placed here is to run the application that has just been built. */ protected void performPostGenerateActions(GeneratorSettings settings, in TargetInfo[string] targets) {} private BuildSettings collect(GeneratorSettings settings, Package pack, ref TargetInfo[string] targets, in string[string] configs, ref string[] main_files, string bin_pack) { if (auto pt = pack.name in targets) return pt.buildSettings; // determine the actual target type auto shallowbs = pack.getBuildSettings(settings.platform, configs[pack.name]); TargetType tt = shallowbs.targetType; if (pack is m_project.rootPackage) { if (tt == TargetType.autodetect || tt == TargetType.library) tt = TargetType.staticLibrary; } else { if (tt == TargetType.autodetect || tt == TargetType.library) tt = settings.combined ? TargetType.sourceLibrary : TargetType.staticLibrary; else if (tt == TargetType.dynamicLibrary) { logWarn("Dynamic libraries are not yet supported as dependencies - building as static library."); tt = TargetType.staticLibrary; } } if (tt != TargetType.none && tt != TargetType.sourceLibrary && shallowbs.sourceFiles.empty) { logWarn(`Configuration '%s' of package %s contains no source files. Please add {"targetType": "none"} to it's package description to avoid building it.`, configs[pack.name], pack.name); tt = TargetType.none; } shallowbs.targetType = tt; bool generates_binary = tt != TargetType.sourceLibrary && tt != TargetType.none; enforce (generates_binary || pack !is m_project.rootPackage, format("Main package must have a binary target type, not %s. Cannot build.", tt)); if (tt == TargetType.none) { // ignore any build settings for targetType none (only dependencies will be processed) shallowbs = BuildSettings.init; } // start to build up the build settings BuildSettings buildsettings; if (generates_binary) buildsettings = settings.buildSettings.dup; processVars(buildsettings, m_project, pack, shallowbs, true); // remove any mainSourceFile from library builds if (buildsettings.targetType != TargetType.executable && buildsettings.mainSourceFile.length) { buildsettings.sourceFiles = buildsettings.sourceFiles.filter!(f => f != buildsettings.mainSourceFile)().array; main_files ~= buildsettings.mainSourceFile; } logDiagnostic("Generate target %s (%s %s %s)", pack.name, buildsettings.targetType, buildsettings.targetPath, buildsettings.targetName); if (generates_binary) targets[pack.name] = TargetInfo(pack, [pack], configs[pack.name], buildsettings, null); foreach (depname, depspec; pack.dependencies) { if (!pack.hasDependency(depname, configs[pack.name])) continue; auto dep = m_project.getDependency(depname, depspec.optional); if (!dep) continue; auto depbs = collect(settings, dep, targets, configs, main_files, generates_binary ? pack.name : bin_pack); if (depbs.targetType != TargetType.sourceLibrary && depbs.targetType != TargetType.none) { // add a reference to the target binary and remove all source files in the dependency build settings depbs.sourceFiles = depbs.sourceFiles.filter!(f => f.isLinkerFile()).array; depbs.importFiles = null; } buildsettings.add(depbs); if (depbs.targetType == TargetType.executable) continue; auto pt = (generates_binary ? pack.name : bin_pack) in targets; assert(pt !is null); if (auto pdt = depname in targets) { pt.dependencies ~= depname; pt.linkDependencies ~= depname; if (depbs.targetType == TargetType.staticLibrary) pt.linkDependencies = pt.linkDependencies.filter!(d => !pdt.linkDependencies.canFind(d)).array ~ pdt.linkDependencies; } else pt.packages ~= dep; } if (generates_binary) { // add build type settings and convert plain DFLAGS to build options m_project.addBuildTypeSettings(buildsettings, settings.platform, settings.buildType); settings.compiler.extractBuildOptions(buildsettings); enforceBuildRequirements(buildsettings); targets[pack.name].buildSettings = buildsettings.dup; } return buildsettings; } private string[] downwardsInheritSettings(string target, TargetInfo[string] targets, in BuildSettings root_settings) { auto ti = &targets[target]; ti.buildSettings.addVersions(root_settings.versions); ti.buildSettings.addDebugVersions(root_settings.debugVersions); ti.buildSettings.addOptions(root_settings.options); // special support for overriding string imports in parent packages // this is a candidate for deprecation, once an alternative approach // has been found if (ti.buildSettings.stringImportPaths.length) { // override string import files (used for up to date checking) foreach (ref f; ti.buildSettings.stringImportFiles) foreach (fi; root_settings.stringImportFiles) if (f != fi && Path(f).head == Path(fi).head) { f = fi; } // add the string import paths (used by the compiler to find the overridden files) ti.buildSettings.prependStringImportPaths(root_settings.stringImportPaths); } string[] packs = ti.packages.map!(p => p.name).array; foreach (d; ti.dependencies) packs ~= downwardsInheritSettings(d, targets, root_settings); logDebug("%s: %s", target, packs); // Add Have_* versions *after* downwards inheritance, so that dependencies // are build independently of the parent packages w.r.t the other parent // dependencies. This enables sharing of the same package build for // multiple dependees. ti.buildSettings.addVersions(packs.map!(pn => "Have_" ~ stripDlangSpecialChars(pn)).array); return packs; } } struct GeneratorSettings { BuildPlatform platform; Compiler compiler; string config; string buildType; BuildSettings buildSettings; BuildMode buildMode = BuildMode.separate; bool combined; // compile all in one go instead of each dependency separately // only used for generator "build" bool run, force, direct, clean, rdmd, tempBuild, parallelBuild; string[] runArgs; void delegate(int status, string output) compileCallback; void delegate(int status, string output) linkCallback; void delegate(int status, string output) runCallback; } /** Determines the mode in which the compiler and linker are invoked. */ enum BuildMode { separate, /// Compile and link separately allAtOnce, /// Perform compile and link with a single compiler invocation singleFile, /// Compile each file separately //multipleObjects, /// Generate an object file per module //multipleObjectsPerModule, /// Use the -multiobj switch to generate multiple object files per module //compileOnly /// Do not invoke the linker (can be done using a post build command) } /** Creates a project generator of the given type for the specified project. */ ProjectGenerator createProjectGenerator(string generator_type, Project project) { assert(project !is null, "Project instance needed to create a generator."); generator_type = generator_type.toLower(); switch(generator_type) { default: throw new Exception("Unknown project generator: "~generator_type); case "build": logDebug("Creating build generator."); return new BuildGenerator(project); case "mono-d": throw new Exception("The Mono-D generator has been removed. Use Mono-D's built in DUB support instead."); case "visuald": logDebug("Creating VisualD generator."); return new VisualDGenerator(project); case "sublimetext": logDebug("Creating SublimeText generator."); return new SublimeTextGenerator(project); case "cmake": logDebug("Creating CMake generator."); return new CMakeGenerator(project); } } /** Runs pre-build commands and performs other required setup before project files are generated. */ private void prepareGeneration(string pack, in BuildSettings buildsettings) { if( buildsettings.preGenerateCommands.length ){ logInfo("Running pre-generate commands for %s...", pack); runBuildCommands(buildsettings.preGenerateCommands, buildsettings); } } /** Runs post-build commands and copies required files to the binary directory. */ private void finalizeGeneration(string pack, in BuildSettings buildsettings, Path pack_path, Path target_path, bool generate_binary) { if (buildsettings.postGenerateCommands.length) { logInfo("Running post-generate commands for %s...", pack); runBuildCommands(buildsettings.postGenerateCommands, buildsettings); } if (generate_binary) { if (!exists(buildsettings.targetPath)) mkdirRecurse(buildsettings.targetPath); if (buildsettings.copyFiles.length) { void copyFolderRec(Path folder, Path dstfolder) { mkdirRecurse(dstfolder.toNativeString()); foreach (de; iterateDirectory(folder.toNativeString())) { if (de.isDirectory) { copyFolderRec(folder ~ de.name, dstfolder ~ de.name); } else { try hardLinkFile(folder ~ de.name, dstfolder ~ de.name, true); catch (Exception e) { logWarn("Failed to copy file %s: %s", (folder ~ de.name).toNativeString(), e.msg); } } } } void tryCopyDir(string file) { auto src = Path(file); if (!src.absolute) src = pack_path ~ src; auto dst = target_path ~ Path(file).head; if (src == dst) { logDiagnostic("Skipping copy of %s (same source and destination)", file); return; } logDiagnostic(" %s to %s", src.toNativeString(), dst.toNativeString()); try { copyFolderRec(src, dst); } catch(Exception e) logWarn("Failed to copy %s to %s: %s", src.toNativeString(), dst.toNativeString(), e.msg); } void tryCopyFile(string file) { auto src = Path(file); if (!src.absolute) src = pack_path ~ src; auto dst = target_path ~ Path(file).head; if (src == dst) { logDiagnostic("Skipping copy of %s (same source and destination)", file); return; } logDiagnostic(" %s to %s", src.toNativeString(), dst.toNativeString()); try { hardLinkFile(src, dst, true); } catch(Exception e) logWarn("Failed to copy %s to %s: %s", src.toNativeString(), dst.toNativeString(), e.msg); } logInfo("Copying files for %s...", pack); string[] globs; foreach (f; buildsettings.copyFiles) { if (f.canFind("*", "?") || (f.canFind("{") && f.balancedParens('{', '}')) || (f.canFind("[") && f.balancedParens('[', ']'))) { globs ~= f; } else { if (f.isDir) tryCopyDir(f); else tryCopyFile(f); } } if (globs.length) // Search all files for glob matches { foreach (f; dirEntries(pack_path.toNativeString(), SpanMode.breadth)) { foreach (glob; globs) { if (f.globMatch(glob)) { if (f.isDir) tryCopyDir(f); else tryCopyFile(f); break; } } } } } } } void runBuildCommands(in string[] commands, in BuildSettings build_settings) { import std.process; import dub.internal.utils; string[string] env = environment.toAA(); // TODO: do more elaborate things here // TODO: escape/quote individual items appropriately env["DFLAGS"] = join(cast(string[])build_settings.dflags, " "); env["LFLAGS"] = join(cast(string[])build_settings.lflags," "); env["VERSIONS"] = join(cast(string[])build_settings.versions," "); env["LIBS"] = join(cast(string[])build_settings.libs," "); env["IMPORT_PATHS"] = join(cast(string[])build_settings.importPaths," "); env["STRING_IMPORT_PATHS"] = join(cast(string[])build_settings.stringImportPaths," "); runCommands(commands, env); }
D
/Users/lanussebaptiste/Desktop/CubeSavinien/Build/Intermediates/CubeSavinien.build/Debug-iphonesimulator/CubeSavinien.build/Objects-normal/i386/RightViewController.o : /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/BottomViewController.swift /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/RightViewController.swift /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/TopViewController.swift /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/OvalLayer.swift /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/HolderView.swift /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/FrontViewController.swift /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/RectangleLayer.swift /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/ViewController.swift /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/LeftViewController.swift /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/ArcLayer.swift /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/TriangleLayer.swift /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/Colors.swift /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/ContainerViewController.swift /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/AppDelegate.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/32/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/32/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/32/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/32/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/32/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/32/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/32/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/32/Security.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/32/CoreImage.swiftmodule /Users/lanussebaptiste/Desktop/CubeSavinien/Build/Intermediates/CubeSavinien.build/Debug-iphonesimulator/CubeSavinien.build/Objects-normal/i386/RightViewController~partial.swiftmodule : /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/BottomViewController.swift /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/RightViewController.swift /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/TopViewController.swift /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/OvalLayer.swift /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/HolderView.swift /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/FrontViewController.swift /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/RectangleLayer.swift /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/ViewController.swift /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/LeftViewController.swift /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/ArcLayer.swift /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/TriangleLayer.swift /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/Colors.swift /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/ContainerViewController.swift /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/AppDelegate.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/32/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/32/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/32/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/32/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/32/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/32/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/32/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/32/Security.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/32/CoreImage.swiftmodule /Users/lanussebaptiste/Desktop/CubeSavinien/Build/Intermediates/CubeSavinien.build/Debug-iphonesimulator/CubeSavinien.build/Objects-normal/i386/RightViewController~partial.swiftdoc : /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/BottomViewController.swift /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/RightViewController.swift /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/TopViewController.swift /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/OvalLayer.swift /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/HolderView.swift /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/FrontViewController.swift /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/RectangleLayer.swift /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/ViewController.swift /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/LeftViewController.swift /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/ArcLayer.swift /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/TriangleLayer.swift /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/Colors.swift /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/ContainerViewController.swift /Users/lanussebaptiste/Desktop/CubeSavinien/CubeSavinien/AppDelegate.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/32/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/32/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/32/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/32/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/32/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/32/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/32/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/32/Security.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/32/CoreImage.swiftmodule
D
# FIXED source/heliPID.obj: C:/Users/Gabriel/Desktop/UC/Embedded-Systems-1/HelicopterProject/source/heliPID.c source/heliPID.obj: C:/Users/Gabriel/Desktop/UC/Embedded-Systems-1/HelicopterProject/source/Helicopter.h source/heliPID.obj: C:/ti/ccsv7/tools/compiler/ti-cgt-arm_16.9.6.LTS/include/stdint.h source/heliPID.obj: C:/ti/ccsv7/tools/compiler/ti-cgt-arm_16.9.6.LTS/include/stdbool.h source/heliPID.obj: C:/ti/TivaWare_C_Series-2.1.4.178/inc/hw_memmap.h source/heliPID.obj: C:/ti/TivaWare_C_Series-2.1.4.178/inc/hw_types.h source/heliPID.obj: C:/ti/TivaWare_C_Series-2.1.4.178/inc/hw_gpio.h source/heliPID.obj: C:/ti/TivaWare_C_Series-2.1.4.178/driverlib/adc.h source/heliPID.obj: C:/ti/TivaWare_C_Series-2.1.4.178/driverlib/pwm.h source/heliPID.obj: C:/ti/TivaWare_C_Series-2.1.4.178/driverlib/gpio.h source/heliPID.obj: C:/ti/TivaWare_C_Series-2.1.4.178/driverlib/sysctl.h source/heliPID.obj: C:/ti/TivaWare_C_Series-2.1.4.178/driverlib/systick.h source/heliPID.obj: C:/ti/TivaWare_C_Series-2.1.4.178/driverlib/interrupt.h source/heliPID.obj: C:/ti/TivaWare_C_Series-2.1.4.178/driverlib/debug.h source/heliPID.obj: C:/ti/TivaWare_C_Series-2.1.4.178/utils/ustdlib.h source/heliPID.obj: C:/ti/ccsv7/tools/compiler/ti-cgt-arm_16.9.6.LTS/include/stdarg.h source/heliPID.obj: C:/ti/ccsv7/tools/compiler/ti-cgt-arm_16.9.6.LTS/include/time.h source/heliPID.obj: C:/ti/ccsv7/tools/compiler/ti-cgt-arm_16.9.6.LTS/include/linkage.h source/heliPID.obj: C:/ti/ccsv7/tools/compiler/ti-cgt-arm_16.9.6.LTS/include/abi_prefix.h source/heliPID.obj: C:/ti/TivaWare_C_Series-2.1.4.178/driverlib/pin_map.h source/heliPID.obj: C:/ti/TivaWare_C_Series-2.1.4.178/driverlib/uart.h source/heliPID.obj: C:/ti/ccsv7/tools/compiler/ti-cgt-arm_16.9.6.LTS/include/math.h source/heliPID.obj: C:/ti/ccsv7/tools/compiler/ti-cgt-arm_16.9.6.LTS/include/_defs.h source/heliPID.obj: C:/Users/Gabriel/Desktop/UC/Embedded-Systems-1/HelicopterProject/source/circBufT.h source/heliPID.obj: C:/Users/Gabriel/Desktop/UC/Embedded-Systems-1/source_code/OrbitOLED/OrbitOLEDInterface.h source/heliPID.obj: C:/Users/Gabriel/Desktop/UC/Embedded-Systems-1/HelicopterProject/source/buttons4.h C:/Users/Gabriel/Desktop/UC/Embedded-Systems-1/HelicopterProject/source/heliPID.c: C:/Users/Gabriel/Desktop/UC/Embedded-Systems-1/HelicopterProject/source/Helicopter.h: C:/ti/ccsv7/tools/compiler/ti-cgt-arm_16.9.6.LTS/include/stdint.h: C:/ti/ccsv7/tools/compiler/ti-cgt-arm_16.9.6.LTS/include/stdbool.h: C:/ti/TivaWare_C_Series-2.1.4.178/inc/hw_memmap.h: C:/ti/TivaWare_C_Series-2.1.4.178/inc/hw_types.h: C:/ti/TivaWare_C_Series-2.1.4.178/inc/hw_gpio.h: C:/ti/TivaWare_C_Series-2.1.4.178/driverlib/adc.h: C:/ti/TivaWare_C_Series-2.1.4.178/driverlib/pwm.h: C:/ti/TivaWare_C_Series-2.1.4.178/driverlib/gpio.h: C:/ti/TivaWare_C_Series-2.1.4.178/driverlib/sysctl.h: C:/ti/TivaWare_C_Series-2.1.4.178/driverlib/systick.h: C:/ti/TivaWare_C_Series-2.1.4.178/driverlib/interrupt.h: C:/ti/TivaWare_C_Series-2.1.4.178/driverlib/debug.h: C:/ti/TivaWare_C_Series-2.1.4.178/utils/ustdlib.h: C:/ti/ccsv7/tools/compiler/ti-cgt-arm_16.9.6.LTS/include/stdarg.h: C:/ti/ccsv7/tools/compiler/ti-cgt-arm_16.9.6.LTS/include/time.h: C:/ti/ccsv7/tools/compiler/ti-cgt-arm_16.9.6.LTS/include/linkage.h: C:/ti/ccsv7/tools/compiler/ti-cgt-arm_16.9.6.LTS/include/abi_prefix.h: C:/ti/TivaWare_C_Series-2.1.4.178/driverlib/pin_map.h: C:/ti/TivaWare_C_Series-2.1.4.178/driverlib/uart.h: C:/ti/ccsv7/tools/compiler/ti-cgt-arm_16.9.6.LTS/include/math.h: C:/ti/ccsv7/tools/compiler/ti-cgt-arm_16.9.6.LTS/include/_defs.h: C:/Users/Gabriel/Desktop/UC/Embedded-Systems-1/HelicopterProject/source/circBufT.h: C:/Users/Gabriel/Desktop/UC/Embedded-Systems-1/source_code/OrbitOLED/OrbitOLEDInterface.h: C:/Users/Gabriel/Desktop/UC/Embedded-Systems-1/HelicopterProject/source/buttons4.h:
D
module dopt.nnet.data; public { import dopt.nnet.data.cifar; import dopt.nnet.data.mnist; import dopt.nnet.data.util; }
D
/Users/lqf510/Desktop/codePath/Carousel/DerivedData/Carousel/Build/Intermediates/Carousel.build/Debug-iphonesimulator/Carousel.build/Objects-normal/x86_64/IntroViewController.o : /Users/lqf510/Desktop/codePath/Carousel/Carousel/AppDelegate.swift /Users/lqf510/Desktop/codePath/Carousel/WelcomeViewController.swift /Users/lqf510/Desktop/codePath/Carousel/Carousel/SettingsViewController.swift /Users/lqf510/Desktop/codePath/Carousel/Carousel/IntroViewController.swift /Users/lqf510/Desktop/codePath/Carousel/Carousel/ConversationsViewController.swift /Users/lqf510/Desktop/codePath/Carousel/Carousel/SignInViewController.swift /Users/lqf510/Desktop/codePath/Carousel/Carousel/TimelineViewController.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Users/lqf510/Desktop/codePath/Carousel/DerivedData/Carousel/Build/Intermediates/Carousel.build/Debug-iphonesimulator/Carousel.build/Objects-normal/x86_64/IntroViewController~partial.swiftmodule : /Users/lqf510/Desktop/codePath/Carousel/Carousel/AppDelegate.swift /Users/lqf510/Desktop/codePath/Carousel/WelcomeViewController.swift /Users/lqf510/Desktop/codePath/Carousel/Carousel/SettingsViewController.swift /Users/lqf510/Desktop/codePath/Carousel/Carousel/IntroViewController.swift /Users/lqf510/Desktop/codePath/Carousel/Carousel/ConversationsViewController.swift /Users/lqf510/Desktop/codePath/Carousel/Carousel/SignInViewController.swift /Users/lqf510/Desktop/codePath/Carousel/Carousel/TimelineViewController.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Users/lqf510/Desktop/codePath/Carousel/DerivedData/Carousel/Build/Intermediates/Carousel.build/Debug-iphonesimulator/Carousel.build/Objects-normal/x86_64/IntroViewController~partial.swiftdoc : /Users/lqf510/Desktop/codePath/Carousel/Carousel/AppDelegate.swift /Users/lqf510/Desktop/codePath/Carousel/WelcomeViewController.swift /Users/lqf510/Desktop/codePath/Carousel/Carousel/SettingsViewController.swift /Users/lqf510/Desktop/codePath/Carousel/Carousel/IntroViewController.swift /Users/lqf510/Desktop/codePath/Carousel/Carousel/ConversationsViewController.swift /Users/lqf510/Desktop/codePath/Carousel/Carousel/SignInViewController.swift /Users/lqf510/Desktop/codePath/Carousel/Carousel/TimelineViewController.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule
D
<?xml version="1.0" encoding="ASCII" standalone="no"?> <di:SashWindowsMngr xmlns:di="http://www.eclipse.org/papyrus/0.7.0/sashdi" xmlns:xmi="http://www.omg.org/XMI" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmi:version="2.0"> <pageList> <availablePage> <emfPageIdentifier href="VAR_2_BeT-8925718879.notation#_copSALmGEeKQQp7P9cQvNQ"/> </availablePage> </pageList> <sashModel currentSelection="//@sashModel/@windows.0/@children.0"> <windows> <children xsi:type="di:TabFolder"> <children> <emfPageIdentifier href="VAR_2_BeT-8925718879.notation#_copSALmGEeKQQp7P9cQvNQ"/> </children> </children> </windows> </sashModel> </di:SashWindowsMngr>
D
class CDispatchWrapper : public IDispatch { public: // IUnknown ULONG __stdcall AddRef(); ULONG __stdcall Release(); HRESULT __stdcall QueryInterface(REFIID iid, void** ppv); // IDispatch HRESULT __stdcall GetTypeInfoCount(UINT* pCountTypeInfo); HRESULT __stdcall GetTypeInfo(UINT iTypeInfo, LCID lcid, ITypeInfo** ppITypeInfo); HRESULT __stdcall GetIDsOfNames(REFIID riid, LPOLESTR* rgszNames, UINT cNames, LCID lcid, DISPID* rgDispId); HRESULT __stdcall Invoke(DISPID dispIdMember, REFIID riid, LCID lcid, WORD wFlags, DISPPARAMS* pDispParams, VARIANT* pVarResult, EXCEPINFO* pExcepInfo, UINT* puArgErr); // steals a reference CDispatchWrapper(IDispatch* pDispatch); ~CDispatchWrapper(); protected: IDispatch* pDispatch; ULONG cRef; }; CDispatchWrapper::CDispatchWrapper(IDispatch* pDispatch) { this->cRef = 1; this->pDispatch = pDispatch; } CDispatchWrapper::~CDispatchWrapper() { this->pDispatch->Release(); } HRESULT __stdcall CDispatchWrapper::QueryInterface(REFIID riid, void** ppv) { if(riid == IID_IUnknown) *ppv = (IUnknown*) this; else if(riid == IID_IDispatch) *ppv = (IDispatch*) this; else { *ppv = NULL; return E_NOINTERFACE; } AddRef(); return S_OK; } ULONG __stdcall CDispatchWrapper::AddRef() { InterlockedIncrement(&cRef); return cRef; } ULONG __stdcall CDispatchWrapper::Release() { ULONG ulRefCount = InterlockedDecrement(&cRef); if (0 == ulRefCount) delete this; return ulRefCount; } HRESULT __stdcall CDispatchWrapper::GetTypeInfoCount(UINT* pCountTypeInfo) { return pDispatch->GetTypeInfoCount(pCountTypeInfo); } HRESULT __stdcall CDispatchWrapper::GetTypeInfo(UINT iTypeInfo, LCID lcid, ITypeInfo** ppITypeInfo) { return pDispatch->GetTypeInfo(iTypeInfo, lcid, ppITypeInfo); } HRESULT __stdcall CDispatchWrapper::GetIDsOfNames(REFIID riid, LPOLESTR* rgszNames, UINT cNames, LCID lcid, DISPID* rgDispId) { return pDispatch->GetIDsOfNames(riid, rgszNames, cNames, lcid, rgDispId); } HRESULT __stdcall CDispatchWrapper::Invoke(DISPID dispIdMember, REFIID riid, LCID lcid, WORD wFlags, DISPPARAMS* pDispParams, VARIANT* pVarResult, EXCEPINFO* pExcepInfo, UINT* puArgErr) { // we test if pVarResult is NULL because this is what VBA sets it to if the function is called as a statement (i.e. without // parentheses), but this then causes the arguments to be overwritten for some reason, so we pass it a dummy result // variable which we then dispose of VARIANT result; VariantInit(&result); HRESULT hRet = pDispatch->Invoke(dispIdMember, riid, lcid, wFlags, pDispParams, pVarResult == NULL ? &result : pVarResult, pExcepInfo, puArgErr); VariantClear(&result); if(FAILED(hRet) && pExcepInfo->bstrDescription != NULL) { BSTR bstrOld = pExcepInfo->bstrDescription; std::string old; ToStdString(bstrOld, old); if(old.substr(0, 24) == "Unexpected Python Error:") { std::vector<std::string> parts; strsplit(old, "\n", parts, false); if(parts[0] == "Unexpected Python Error: Traceback (most recent call last):") { std::string neu; for(int k = (int) parts.size() - 1; k > 0; k--) { if(!parts[k].empty()) { if(!neu.empty()) neu += "\n"; neu += parts[k]; } } ToBStr(neu, pExcepInfo->bstrDescription); SysFreeString(bstrOld); } } } return hRet; }
D
// Written in the D programming language // Placed in public domain. // Written by Walter Bright /** Convert Win32 error code to string Source: $(PHOBOSSRC std/_syserror.d) */ module std.syserror; // Deprecated - instead use std.windows.syserror.sysErrorString() deprecated("Please use std.windows.syserror.sysErrorString instead") class SysError { private import std.c.stdio; private import core.stdc.string; private import std.string; static string msg(uint errcode) { string result; switch (errcode) { case 2: result = "file not found"; break; case 3: result = "path not found"; break; case 4: result = "too many open files"; break; case 5: result = "access denied"; break; case 6: result = "invalid handle"; break; case 8: result = "not enough memory"; break; case 14: result = "out of memory"; break; case 15: result = "invalid drive"; break; case 21: result = "not ready"; break; case 32: result = "sharing violation"; break; case 87: result = "invalid parameter"; break; default: auto r = new char[uint.sizeof * 3 + 1]; auto len = sprintf(r.ptr, "%u", errcode); result = cast(string) r[0 .. len]; break; } return result; } }
D
import std.stdio, std.algorithm, std.conv, std.array, std.string, std.math, std.typecons, std.numeric; Tuple!(N, N)[] prime_division(N)(N n) { Tuple!(N, N)[] res; foreach (N i; 2..10^^4+1) { if (n%i == 0) { N cnt; while (n%i == 0) { ++cnt; n /= i; } res ~= tuple(i, cnt); } } if (n != cast(N)1) res ~= tuple(n, cast(N)1); return res; } void main() { auto N = readln.chomp.to!int; auto ps = prime_division(N); int r = 1; foreach (p; ps) r = max(r, p[0] * p[1]); writeln(r); }
D
module dls.util.document; import dls.util.uri : Uri; class Document { import dls.protocol.definitions : Position, Range, TextDocumentIdentifier, TextDocumentItem, VersionedTextDocumentIdentifier; import dls.protocol.interfaces : TextDocumentContentChangeEvent; import std.utf : codeLength, toUTF8; private static Document[string] _documents; private wstring[] _lines; static Document opIndex(in Uri uri) { return uri.path in _documents ? _documents[uri.path] : null; } @property static auto uris() { import std.algorithm : map; return _documents.keys.map!(path => Uri.fromPath(path)); } static void open(in TextDocumentItem textDocument) { auto path = Uri.getPath(textDocument.uri); if (path in _documents) { _documents.remove(path); } _documents[path] = new Document(textDocument); } static void close(in TextDocumentIdentifier textDocument) { auto path = Uri.getPath(textDocument.uri); if (path in _documents) { _documents.remove(path); } } static void change(in VersionedTextDocumentIdentifier textDocument, TextDocumentContentChangeEvent[] events) { auto path = Uri.getPath(textDocument.uri); if (path in _documents) { _documents[path].change(events); } } @property const(wstring[]) lines() const { return _lines; } this(in TextDocumentItem textDocument) { _lines = getText(textDocument.text); } override string toString() const { import std.range : join; return _lines.join().toUTF8(); } size_t byteAtPosition(in Position position) { import std.algorithm : reduce; import std.range : iota; const linesBytes = reduce!((s, i) => s + codeLength!char(_lines[i]))(cast(size_t) 0, iota(position.line)); const characterBytes = codeLength!char(_lines[position.line][0 .. position.character]); return linesBytes + characterBytes; } Range wordRangeAtByte(size_t bytePosition) { import std.algorithm : min; size_t i; size_t bytes; while (bytes <= bytePosition && i < _lines.length) { bytes += codeLength!char(_lines[i]); ++i; } const lineNumber = i - 1; const line = _lines[lineNumber]; bytes -= codeLength!char(line); return wordRangeAtLineAndByte(lineNumber, min(bytePosition - bytes, line.length)); } Range wordRangeAtLineAndByte(size_t lineNumber, size_t bytePosition) { import std.regex : matchAll, regex; import std.utf : UTFException, validate; const line = _lines[lineNumber]; size_t startCharacter; const lineSlice = line.toUTF8()[0 .. bytePosition]; try { validate(lineSlice); startCharacter = codeLength!wchar(lineSlice); } catch (UTFException e) { // TODO: properly use document buffers instead of on-disc files } auto word = matchAll(line[startCharacter .. $], regex(`\w+|.`w)); return new Range(new Position(lineNumber, startCharacter), new Position(lineNumber, startCharacter + (word ? word.hit.length : 0))); } private void change(in TextDocumentContentChangeEvent[] events) { foreach (event; events) { if (event.range.isNull) { _lines = getText(event.text); } else { with (event.range) { auto linesBefore = _lines[0 .. start.line]; auto linesAfter = _lines[end.line + 1 .. $]; auto lineStart = _lines[start.line][0 .. start.character]; auto lineEnd = _lines[end.line][end.character .. $]; auto newLines = getText(event.text); if (newLines.length) { newLines[0] = lineStart ~ newLines[0]; newLines[$ - 1] = newLines[$ - 1] ~ lineEnd; } else { newLines = [lineStart ~ lineEnd]; } _lines = linesBefore ~ newLines ~ linesAfter; } } } } private wstring[] getText(in string text) const { import std.algorithm : endsWith; import std.array : array; import std.string : splitLines; import std.typecons : Yes; import std.utf : toUTF16; auto lines = text.toUTF16().splitLines(Yes.keepTerminator); if (!lines.length || lines[$ - 1].endsWith('\r', '\n')) { lines ~= ""; } return lines; } }
D
build/Debug/Cygwin-Windows/HW6_3.o: HW6_3.cpp FeetInches.h FeetInches.h:
D
/** Lexer. Authors: Daniel Keep <daniel.keep@gmail.com> Copyright: See LICENSE. */ module ouro.lexer.Lexer; import tango.text.convert.Format; import tango.text.Util : trim, head; debug(TraceLexer) import tango.io.Stdout : Stderr; import ouro.Location : Location; import ouro.Source : Source; import ouro.Error : CompilerException; import ouro.lexer.Tokens; // Token, TOKx, ... import ouro.util.Parse : parseString; import ouro.util.TokenTest : isWhitespace, isSpace, isDigit, isLetter, isIdentStart, isIdent, isInnerDigit; private { alias CompilerException.Code CEC; void err(CEC code, Location loc, char[] arg0 = null) { throw new CompilerException(code, loc, arg0); } } void lexHeader(Source src, void delegate(char[],char[]) dg = null) { if( src.offset != 0 ) // The header can only be at the start of a file. return; if( src[0..2] == "#!" ) src.advanceLine; while( src[0] == '#' ) { src.advance; auto line = src.advanceLine; line = trim(line); char[] k, v; k = head(line, ":", v); k = trim(k); v = trim(v); if( dg !is null ) dg(k, v); } } void skipWhitespace(Source src) { while( true ) { auto cp = src[0]; // newlines don't count as whitespace; they lex as TOKeol if( cp == '\r' || cp == '\n' ) return; else if( isWhitespace(cp) ) src.advance; else if( isSpace(cp) ) err(CEC.LUnusWs, src.loc); else return; } } /** popToken is used to construct a new Token, assign it, and advance the Source object. It always returns true. */ bool popToken(out Token dest, Source src, TOK type, size_t n) { auto text = src.slice(n); dest = Token(src.locSpan(n), type, text, text); src.advance(n); return true; } bool popToken(out Token dest, Source src, TOK type, Source.Mark mark) { auto loc = src.locSpanFrom(mark); auto text = src.sliceFrom(mark); dest = Token(loc, type, text, text); return true; } bool popToken(out Token dest, Source src, TOK type, Source.Mark mark, char[] value) { auto loc = src.locSpanFrom(mark); auto text = src.sliceFrom(mark); dest = Token(loc, type, text, value); return true; } bool popToken(out Token dest, Source src, TOK type, Source.Mark mark, Source.Mark valBegMark, Source.Mark valEndMark) { auto loc = src.locSpanFrom(mark); auto text = src.sliceFrom(mark); auto value = src.sliceBetween(valBegMark, valEndMark); dest = Token(loc, type, text, value); return true; } /* All lex* functions take a Source and return a flag indicating success and (potentially) a Token. The Token is passed out via an out argument. Because a Source is a reference type, lexer functions need to be careful to preserve the state of the Source if they don't produce a token. If anything goes wrong, the lex function throws a LexerException via the err function. */ size_t isEol(Source src) { auto cp0 = src[0]; size_t l = 0; if( cp0 == '\r' ) { if( src[1] == '\n' ) l = 2; else l = 1; } else if( cp0 == '\n' ) l = 1; return l; } bool lexEol(Source src, out Token token) { debug(TraceLexer) Stderr.format("(lexEol @ {})", src.loc.toString); auto l = isEol(src); if( l == 0 ) return false; return popToken(token, src, TOKeol, l); } bool lexEos(Source src, out Token token) { debug(TraceLexer) Stderr.format("(lexEos @ {})", src.loc.toString); if( src.length != 0 ) return false; return popToken(token, src, TOKeos, 0); } bool lexComment(Source src, out Token token) { debug(TraceLexer) Stderr.format("(lexComment @ {})", src.loc.toString); auto sl3 = src.slice(3); auto mark = src.save; switch( sl3 ) { case "|--": src.advance(3); auto valMark = src.save; size_t eol = isEol(src); while( eol == 0 ) { src.advance(1); eol = isEol(src); } src.advance(eol); return popToken(token, src, TOKcomment, mark, valMark, src.save); case "(--": { src.advance(3); auto valBegMark = src.save; auto valEndMark = src.save; size_t depth = 1; while( depth > 0 ) { if( src.length < 3 ) err(CEC.LUntermBlockCmt, src.locFrom(mark)); sl3 = src.slice(3); switch( sl3 ) { case "(--": ++ depth; if( depth == 0 ) err(CEC.LBlockCmtOvfl, src.locSpan(3)); src.advance(3); break; case "--)": -- depth; valEndMark = src.save; src.advance(3); break; default: src.advance(1); } } return popToken(token, src, TOKcomment, mark, valBegMark, valEndMark); } case "(++": { src.advance(3); auto valBegMark = src.save; auto valEndMark = src.save; size_t depth = 1; while( depth > 0 ) { if( src.length < 3 ) err(CEC.LUntermBlockCmt, src.locFrom(mark)); sl3 = src.slice(3); switch( sl3 ) { case "(++": ++ depth; if( depth == 0 ) err(CEC.LBlockCmtOvfl, src.locSpan(3)); src.advance(3); break; case "++)": -- depth; valEndMark = src.save; src.advance(3); break; default: src.advance(1); } } return popToken(token, src, TOKcomment, mark, valBegMark, valEndMark); } default: return false; } } bool lexSymbol(Source src, out Token token) { debug(TraceLexer) Stderr.format("(lexSymbol @ {})", src.loc.toString); auto m0 = src.save; auto cu0 = src.advanceCu; auto m1 = src.save; auto cu1 = src.advanceCu; auto m2 = src.save; auto cu2 = src.advanceCu; src.restore(m0); size_t l = 0; TOK tok; switch( cu0 ) { // Unique prefix single-cp symbols case '=': l = 1; tok = TOKeq; break; case ')': l = 1; tok = TOKrparen; break; case ']': l = 1; tok = TOKrbracket; break; case '{': l = 1; tok = TOKlbrace; break; case '}': l = 1; tok = TOKrbrace; break; case ',': l = 1; tok = TOKcomma; break; case '-': l = 1; tok = TOKhyphen; break; case '\\':l = 1; tok = TOKbslash; break; // multi-cp symbols case '(': switch( cu1 ) { case '.': switch( cu2 ) { case ')': l = 3; tok = TOKlparenperiodrparen; break; default: l = 2; tok = TOKlparenperiod; break; } break; default: l = 1; tok = TOKlparen; break; } break; case '[': switch( cu1 ) { case ':': l = 2; tok = TOKlbracketcolon; break; default: l = 1; tok = TOKlbracket; break; } break; case '!': switch( cu1 ) { case '=': l = 2; tok = TOKnoteq; break; default: err(CEC.LUnexpected, src.locFrom(m1), (&cu1)[0..1]); } break; case '/': switch( cu1 ) { case '/': l = 2; tok = TOKslash2; break; default: l = 1; tok = TOKslash; break; } break; case '*': switch( cu1 ) { case '*': l = 2; tok = TOKstar2; break; default: l = 1; tok = TOKstar; break; } break; case '<': switch( cu1 ) { case '=': l = 2; tok = TOKlteq; break; case '>': l = 2; tok = TOKltgt; break; default: l = 1; tok = TOKlt; break; } break; case '>': switch( cu1 ) { case '=': l = 2; tok = TOKgteq; break; default: l = 1; tok = TOKgt; break; } break; case ':': switch( cu1 ) { case ']': l = 2; tok = TOKcolonrbracket; break; case ':': l = 2; tok = TOKcolon2; break; default: l = 1; tok = TOKcolon; break; } break; case '+': switch( cu1 ) { case '+': l = 2; tok = TOKplus2; break; default: l = 1; tok = TOKplus; break; } break; case '.': if( cu1 == '.' && cu2 == '.' ) { l = 3; tok = TOKperiod3; } else if( cu1 == ')' ) { l = 2; tok = TOKperiodrparen; } else { l = 1; tok = TOKperiod; } break; case '#': switch( cu1 ) { case '\'': l = 2; tok = TOKhashquote; break; case '"': l = 2; tok = TOKhashdquote; break; case '$': l = 2; tok = TOKhashdollar; break; default: err(CEC.LUnexpected, src.locFrom(m1), (&cu1)[0..1]); } default: {} } if( l == 0 ) return false; return popToken(token, src, tok, l); } bool lexIdentifierOrKeyword(Source src, out Token token) { debug(TraceLexer) Stderr.format("(lexIdentifierOrKeyword @ {})", src.loc.toString); auto cp0 = src[0]; if( cp0 == '$' ) { auto mark = src.save; src.advance(1); if( lexString(src, token) ) { token.type = TOKidentifier; token.text = src.sliceFrom(mark); token.loc = src.locSpanFrom(mark); return true; } else src.restore(mark); return lexExternalIdentifier(src, token); } return lexBasicIdentifierOrKeyword(src, token); } bool lexBasicIdentifierOrKeyword(Source src, out Token token) { debug(TraceLexer) Stderr.format("(lexBasicIdentifierOrKeyword @ {})", src.loc.toString); if( ! isIdentStart(src[0]) ) return false; auto mark = src.save; src.advance; while( src.length > 0 ) { if( !isIdent(src[0]) ) break; src.advance; } auto name = src.sliceFrom(mark); TOK type = TOKidentifier; switch( name ) { case "and": type = TOKand; break; case "let": type = TOKlet; break; case "not": type = TOKnot; break; case "or": type = TOKor; break; case "mod": type = TOKmod; break; case "rem": type = TOKrem; break; case "true": type = TOKtrue; break; case "false": type = TOKfalse; break; case "nil": type = TOKnil; break; case "import": type = TOKimport; break; case "macro": type = TOKmacro; break; case "range": type = TOKrange; break; case "export": type = TOKexport; break; case "__builtin__": type = TOKbuiltin; break; default: } return popToken(token, src, type, mark); } bool lexExternalIdentifier(Source src, out Token token) { debug(TraceLexer) Stderr.format("(lexExternalIdentifier @ {})", src.loc.toString); // TODO // I feel like the syntax needs more thinking about. return false; } bool lexNumber(Source src, out Token token) { debug(TraceLexer) Stderr.format("(lexNumber @ {})", src.loc.toString); /* number >>─┬─'+'───╢ number value ╟─┐ ├─'-'─┘ ╧ └─────┘ number value >>─┬─╢ digit seq ╟─┬─'.'─┬─╢ digit seq ╟─┐ │ │ └───────────────│ │ └─────────────────────│ └─'.'─╢ digit seq ╟─────────────────────┬─╢ exponent ╟─┐ └────────────────┐ ╧ digit seq >>─╢ digit ╟─┬───┬─╢ digit ╟───┬───┐ │ │ └────'_'────┘ │ │ ╧ │ └───────────────┘ │ └───────────────────┘ exponent >>─┬─'e'───┬─'+'─────╢ digit ╟─┬─┐ └─'E'─┘ ├─'-'─┘ └───────────┘ ╧ └─────┘ */ auto cp0 = src[0]; auto mark = src.save; switch( cp0 ) { case '+': case '-': src.advance; cp0 = src[0]; break; default: } if( !( isDigit(cp0) || cp0 == '.' ) ) return false; void eatDigitSeq() { auto cp = src[0]; if( ! isDigit(cp) ) err(CEC.LExDecDigit, src.loc, src[0..1]); src.advance; while( isInnerDigit(src[0]) ) src.advance; } void eatExponent() { auto cp = src[0]; if( !( cp == 'e' || cp == 'E' ) ) return; src.advance; cp = src[0]; if( cp == '+' || cp == '-' ) { src.advance; cp = src[0]; } if( !isDigit(cp) ) err(CEC.LExDecDigit, src.loc, src[0..1]); src.advance; while( isDigit(src[0]) ) src.advance; } if( cp0 == '.' ) { if( ! isDigit(src[1]) ) return false; src.advance; eatDigitSeq; } else { eatDigitSeq; cp0 = src[0]; if( cp0 == '.' ) { src.advance; cp0 = src[0]; if( isDigit(cp0) ) eatDigitSeq; } } cp0 = src[0]; eatExponent; return popToken(token, src, TOKnumber, mark); } bool lexString(Source src, out Token token) { debug(TraceLexer) Stderr.format("(lexString @ {})", src.loc.toString); if( src[0] != '"' ) return false; void eatHexDigits(size_t n) { while( n --> 0 ) { auto cp = src[0]; switch( cp ) { case '0': case '1': case '2': case '3': case '4': case '5': case '6': case '7': case '8': case '9': case 'a': case 'b': case 'c': case 'd': case 'e': case 'f': case 'A': case 'B': case 'C': case 'D': case 'E': case 'F': break; default: err(CEC.LExHexDigit, src.loc, src[0..1]); } src.advance; } } void eatEscape() { auto cp0 = src[0]; switch( cp0 ) { case 'a': case 'b': case 'f': case 'n': case 'r': case 't': case 'v': case '\'': case '"': case '?': case '\\': src.advance; break; case 'x': src.advance; eatHexDigits(2); break; case 'u': src.advance; eatHexDigits(4); break; case 'U': src.advance; eatHexDigits(8); break; default: err(CEC.LInvStrEsc, src.loc, src[0..1]); } } auto mark = src.save; src.advance; auto valBegMark = src.save; while( src[0] != '"' ) { if( src[0] == '\\' ) { src.advance; eatEscape; } else if( src[0] == dchar.init ) err(CEC.LUntermString, src.locSpanFrom(mark)); else src.advance; } auto valEndMark = src.save; src.advance; return popToken(token, src, TOKstring, mark, parseString(src.sliceBetween(valBegMark, valEndMark))); } bool lexSymbolLiteral(Source src, out Token token) { debug(TraceLexer) Stderr.format("(lexSymbolLiteral @ {})", src.loc.toString); if( src[0] != '\'' ) return false; auto mark = src.save; src.advance; Token subToken; if( lexIdentifierOrKeyword(src, subToken) ) return popToken(token, src, TOKsymbol, mark, subToken.value); else if( lexString(src, subToken) ) return popToken(token, src, TOKsymbol, mark, subToken.value); else if( lexSymbol(src, subToken) ) return popToken(token, src, TOKsymbol, mark, subToken.value); else { src.restore(mark); return false; } } const Lexers = [ &lexEol, &lexEos, &lexComment, &lexSymbol, &lexIdentifierOrKeyword, &lexNumber, &lexString, &lexSymbolLiteral, ]; bool lexNext(Source src, out Token token) { skipWhitespace(src); foreach( lexer ; Lexers ) if( lexer(src, token) ) return true; return false; } void lexUnexpected(Source src) { debug(TraceLexer) Stderr.format("(Unexpected '\\x{:x,02}')", cast(uint) src[0]); err(CEC.LUnexpected, src.loc, src[0..1]); } struct LexIter { Source src; int opApply(int delegate(ref Token) dg) { int r = 0; Token token; while( true ) { auto f = lexNext(src, token); if( !f ) lexUnexpected(src); r = dg(token); if( r || token.type == TOKeos ) break; } return r; } } LexIter lexIter(char[] name, char[] src) { return lexIter(new Source(name, src)); } LexIter lexIter(Source src) { if( src.offset == 0 ) lexHeader(src); LexIter r; r.src = src; return r; }
D
/* * [The "BSD license"] * Copyright (c) 2013 Terence Parr * Copyright (c) 2013 Sam Harwell * Copyright (c) 2017 Egbert Voigt * All rights reserved. * * Redistribution and use in source and binary forms, with or without * modification, are permitted provided that the following conditions * are met: * * 1. Redistributions of source code must retain the above copyright * notice, this list of conditions and the following disclaimer. * 2. Redistributions in binary form must reproduce the above copyright * notice, this list of conditions and the following disclaimer in the * documentation and/or other materials provided with the distribution. * 3. The name of the author may not be used to endorse or promote products * derived from this software without specific prior written permission. * * THIS SOFTWARE IS PROVIDED BY THE AUTHOR ``AS IS'' AND ANY EXPRESS OR * IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES * OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. * IN NO EVENT SHALL THE AUTHOR 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. */ module antlr.v4.runtime.atn.LexerIndexedCustomAction; import antlr.v4.runtime.atn.LexerAction; import antlr.v4.runtime.atn.LexerActionType; import antlr.v4.runtime.InterfaceLexer; import antlr.v4.runtime.misc.MurmurHash; /** * TODO add class description */ class LexerIndexedCustomAction : LexerAction { private int offset; private LexerAction action; /** * @uml * Constructs a new indexed custom action by associating a character offset * with a {@link LexerAction}. * * <p>Note: This class is only required for lexer actions for which * {@link LexerAction#isPositionDependent} returns {@code true}.</p> * * @param offset The offset into the input {@link CharStream}, relative to * the token start index, at which the specified lexer action should be * executed. * @param action The lexer action to execute at a particular offset in the * input {@link CharStream}. */ public this(int offset, LexerAction action) { this.offset = offset; this.action = action; } /** * @uml * Gets the location in the input {@link CharStream} at which the lexer * action should be executed. The value is interpreted as an offset relative * to the token start index. * * @return The location in the input {@link CharStream} at which the lexer * action should be executed. */ public int getOffset() { return offset; } /** * @uml * Gets the lexer action to execute. * * @return A {@link LexerAction} object which executes the lexer action. */ public LexerAction getAction() { return action; } /** * @uml * {@inheritDoc} * * @return This method returns the result of calling {@link #getActionType} * on the {@link LexerAction} returned by {@link #getAction}. */ public LexerActionType getActionType() { return action.getActionType(); } /** * @uml * {@inheritDoc} * @return This method returns {@code true}. */ public bool isPositionDependent() { return true; } /** * @uml * {@inheritDoc} * * <p>This method calls {@link #execute} on the result of {@link #getAction} * using the provided {@code lexer}.</p> */ public void execute(InterfaceLexer lexer) { // assume the input stream position was properly set by the calling code action.execute(lexer); } /** * @uml * @nothrow * @trusted * @override */ public override size_t toHash() @trusted nothrow { size_t hash = MurmurHash.initialize(); hash = MurmurHash.update(hash, offset); hash = MurmurHash.update!LexerAction(hash, action); return MurmurHash.finish(hash, 2); } public bool equals(Object obj) { if (obj is this) { return true; } else if (obj.classinfo != LexerIndexedCustomAction.classinfo) { return false; } LexerIndexedCustomAction other = cast(LexerIndexedCustomAction)obj; return offset == other.getOffset && action == other.getAction; } }
D
/Users/voidet/Desktop/iOS/REABot/Build/Intermediates/Snappy.build/Debug-iphoneos/Snappy.build/Objects-normal/armv7/ConstraintMaker.o : /Users/voidet/Desktop/iOS/REABot/Snappy/EdgeInsets.swift /Users/voidet/Desktop/iOS/REABot/Snappy/ConstraintRelation.swift /Users/voidet/Desktop/iOS/REABot/Snappy/ConstraintAttributes.swift /Users/voidet/Desktop/iOS/REABot/Snappy/LayoutConstraint.swift /Users/voidet/Desktop/iOS/REABot/Snappy/ConstraintMaker.swift /Users/voidet/Desktop/iOS/REABot/Snappy/View+Snappy.swift /Users/voidet/Desktop/iOS/REABot/Snappy/Constraint.swift /Users/voidet/Desktop/iOS/REABot/Snappy/ConstraintItem.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/32/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/32/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/32/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/32/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/32/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/32/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/32/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/32/Security.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/32/CoreImage.swiftmodule /Users/voidet/Desktop/iOS/REABot/Build/Intermediates/Snappy.build/Debug-iphoneos/Snappy.build/Objects-normal/armv7/ConstraintMaker~partial.swiftmodule : /Users/voidet/Desktop/iOS/REABot/Snappy/EdgeInsets.swift /Users/voidet/Desktop/iOS/REABot/Snappy/ConstraintRelation.swift /Users/voidet/Desktop/iOS/REABot/Snappy/ConstraintAttributes.swift /Users/voidet/Desktop/iOS/REABot/Snappy/LayoutConstraint.swift /Users/voidet/Desktop/iOS/REABot/Snappy/ConstraintMaker.swift /Users/voidet/Desktop/iOS/REABot/Snappy/View+Snappy.swift /Users/voidet/Desktop/iOS/REABot/Snappy/Constraint.swift /Users/voidet/Desktop/iOS/REABot/Snappy/ConstraintItem.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/32/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/32/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/32/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/32/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/32/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/32/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/32/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/32/Security.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/32/CoreImage.swiftmodule /Users/voidet/Desktop/iOS/REABot/Build/Intermediates/Snappy.build/Debug-iphoneos/Snappy.build/Objects-normal/armv7/ConstraintMaker~partial.swiftdoc : /Users/voidet/Desktop/iOS/REABot/Snappy/EdgeInsets.swift /Users/voidet/Desktop/iOS/REABot/Snappy/ConstraintRelation.swift /Users/voidet/Desktop/iOS/REABot/Snappy/ConstraintAttributes.swift /Users/voidet/Desktop/iOS/REABot/Snappy/LayoutConstraint.swift /Users/voidet/Desktop/iOS/REABot/Snappy/ConstraintMaker.swift /Users/voidet/Desktop/iOS/REABot/Snappy/View+Snappy.swift /Users/voidet/Desktop/iOS/REABot/Snappy/Constraint.swift /Users/voidet/Desktop/iOS/REABot/Snappy/ConstraintItem.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/32/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/32/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/32/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/32/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/32/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/32/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/32/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/32/Security.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphoneos/32/CoreImage.swiftmodule
D
version(Have_autowrap_csharp) // very weird dmd bug mixed with weirder C# mixin strings import autowrap.csharp; else import autowrap; enum modules = Modules(Module("prefix"), Module("adder"), Module("structs"), Module("templates"), Module("api"), Module("wrap_all", Yes.alwaysExport)); enum str = wrapDlang!( LibraryName("simple"), modules, RootNamespace("Autowrap.CSharp.Examples.Simple"), ); //pragma(msg,str); mixin(str);
D
/Users/kimhyewon/Documents/Server/tennis/build/tennis.build/Debug/Core.build/Objects-normal/x86_64/Bytes.o : /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/Array.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/Bool+String.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/Box.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/Collection+Safe.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/Dispatch.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/DispatchTime+Utilities.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/Equatable.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/Extractable.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/FileProtocol.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/Lock.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/PercentEncoding.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/Portal.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/Result.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/RFC1123.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/Semaphore.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/Sequence.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/StaticDataBuffer.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/Strand.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/String+CaseInsensitiveCompare.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/String.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/UnsignedInteger.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/Byte/Byte+Random.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/Byte/Byte.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/Byte/ByteAliases.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/Byte/Bytes+Base64.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/Byte/Bytes.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/Byte/BytesConvertible.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/Byte/BytesSlice+PatternMatching.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/kimhyewon/Documents/Server/tennis/build/Debug/libc.framework/Modules/libc.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Users/kimhyewon/Documents/Server/tennis/build/tennis.build/Debug/Core.build/Objects-normal/x86_64/Bytes~partial.swiftmodule : /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/Array.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/Bool+String.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/Box.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/Collection+Safe.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/Dispatch.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/DispatchTime+Utilities.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/Equatable.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/Extractable.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/FileProtocol.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/Lock.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/PercentEncoding.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/Portal.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/Result.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/RFC1123.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/Semaphore.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/Sequence.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/StaticDataBuffer.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/Strand.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/String+CaseInsensitiveCompare.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/String.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/UnsignedInteger.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/Byte/Byte+Random.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/Byte/Byte.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/Byte/ByteAliases.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/Byte/Bytes+Base64.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/Byte/Bytes.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/Byte/BytesConvertible.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/Byte/BytesSlice+PatternMatching.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/kimhyewon/Documents/Server/tennis/build/Debug/libc.framework/Modules/libc.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Users/kimhyewon/Documents/Server/tennis/build/tennis.build/Debug/Core.build/Objects-normal/x86_64/Bytes~partial.swiftdoc : /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/Array.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/Bool+String.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/Box.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/Collection+Safe.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/Dispatch.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/DispatchTime+Utilities.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/Equatable.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/Extractable.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/FileProtocol.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/Lock.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/PercentEncoding.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/Portal.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/Result.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/RFC1123.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/Semaphore.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/Sequence.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/StaticDataBuffer.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/Strand.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/String+CaseInsensitiveCompare.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/String.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/UnsignedInteger.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/Byte/Byte+Random.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/Byte/Byte.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/Byte/ByteAliases.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/Byte/Bytes+Base64.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/Byte/Bytes.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/Byte/BytesConvertible.swift /Users/kimhyewon/Documents/Server/tennis/Packages/Core-1.0.0/Sources/Core/Byte/BytesSlice+PatternMatching.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/kimhyewon/Documents/Server/tennis/build/Debug/libc.framework/Modules/libc.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule
D
/* * Copyright (C) 2015 The Android Open Source Project * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package androidx.annotation; import static java.lang.annotation.ElementType.CONSTRUCTOR; import static java.lang.annotation.ElementType.METHOD; import static java.lang.annotation.ElementType.PARAMETER; import static java.lang.annotation.ElementType.TYPE; import static java.lang.annotation.RetentionPolicy.CLASS; import java.lang.annotation.Documented; import java.lang.annotation.Retention; import java.lang.annotation.Target; /** * Denotes that the annotated method should only be called on the binder thread. * If the annotated element is a class, then all methods in the class should be called * on the binder thread. * <p> * Example: * <pre><code> * &#64;BinderThread * public BeamShareData createBeamShareData() { ... } * </code></pre> */ @Documented @Retention(CLASS) @Target({METHOD,CONSTRUCTOR,TYPE,PARAMETER}) public @interface BinderThread { }
D
module xf.net.Common; private { import xf.utils.BitStream; import xf.net.NetObj; import xf.utils.StructClass : simpleStructCtor; } public { import xf.game.Misc : ServerAuthority, NoAuthority; import mintl.arrayheap : ArrayHeap; import mintl.sortedaa : SortedAA; import mintl.mem : MallocNoRoots; import xf.utils.ScopedResource; import xf.utils.ThreadsafePool; import xf.utils.Memory : alloc, realloc, free; alias ArrayHeap!(NetObjStateImportance, MallocNoRoots) StateSorterHeap; alias SortedAA!(void*, StateSet, false, MallocNoRoots) StateSorterHash; } final class BudgetWriter : BitStreamWriter { bool canWriteMore() { return bitBudget > 0; } BudgetWriter opCall(bool b) { bitBudget -= 1; return this; } BudgetWriter opCall(byte i, byte min = 0, byte max = 0) { bitBudget -= i.sizeof * 8; return this; } BudgetWriter opCall(ubyte i, ubyte min = 0, ubyte max = 0) { bitBudget -= i.sizeof * 8; return this; } BudgetWriter opCall(short i, short min = 0, short max = 0) { bitBudget -= i.sizeof * 8; return this; } BudgetWriter opCall(ushort i, ushort min = 0, ushort max = 0) { bitBudget -= i.sizeof * 8; return this; } BudgetWriter opCall(int i, int min = 0, int max = 0) { bitBudget -= i.sizeof * 8; return this; } BudgetWriter opCall(uint i, uint min = 0, uint max = 0) { bitBudget -= i.sizeof * 8; return this; } BudgetWriter opCall(long i, long min = 0, long max = 0) { bitBudget -= i.sizeof * 8; return this; } BudgetWriter opCall(ulong i, ulong min = 0, ulong max = 0) { bitBudget -= i.sizeof * 8; return this; } BudgetWriter opCall(float i, float min = 0, float max = 0) { bitBudget -= i.sizeof * 8; return this; } BudgetWriter opCall(char[] str, uint maxLen) { bitBudget -= uint.sizeof * 8 + char.sizeof * 8 * (str.length < maxLen ? str.length : maxLen); return this; } int bitBudget; } struct NetObjStateImportance { NetObjBase netObj; float importance; StateIdx stateIdx; int opCmp(NetObjStateImportance* rhs) { if (importance > rhs.importance) return 1; if (importance < rhs.importance) return -1; return 0; } mixin simpleStructCtor; } template MNetComm(bool serverSide) { private import tango.stdc.stdio : printf; const bool clientSide = !serverSide; static if (serverSide) { struct NetObjData { float[][] importances; void destroy() { foreach (ref a; importances) { a.free(); } importances.free(); } } } else { struct NetObjData { float[] importances; void destroy() { importances.free(); } } } void onNetObjCreated(NetObjBase o) { printf(`Registering a netObj with id %d`\n, cast(int)o.netObjId); if (o.netObjRef()) { netObjects[o.netObjId] = o; netObjData[o] = constructNetObjData(o); } } void onNetObjDestroyed(NetObjBase o) { // remove the NetObjData ? // need to do that safely, because a snapshot thread might be running. } NetObjBase getNetObj(objId id) { debug printf(`getting a net obj with id %d`\n, cast(int)id); if (!(id in netObjects)) { printf(`WTF. no %d in netObjects`\n, cast(int)id); } return netObjects[id]; } NetObjData constructNetObjData(NetObjBase o) { NetObjData d; static if (serverSide) { d.importances.alloc(players.length); foreach (ref imp; d.importances) { imp.alloc(o.numStateTypes, false); // dont init to float.init (NaN) imp[] = 0.f; } } else { d.importances.alloc(o.numStateTypes, false); // dont init to float.init (NaN) d.importances[] = 0.f; } return d; } protected void consume(Event evt, tick target) { static if (serverSide) { if (auto order = cast(Order)evt) { auto mask = (playerId pid) { auto player = players[pid]; auto res = (order.destinationFilter is null || order.destinationFilter(pid)) && player.orderMask(order); if (res) { auto budgetWriter = playerBudgetWriters[pid]; budgetWriter(true)(uint.init); writeEvent(budgetWriter, order); } return res; }; impl.broadcast((BitStreamWriter bs) { bs(true /* event */)(cast(uint)target); writeEvent(bs, order); }, mask); } } else { if (auto wish = cast(Wish)evt) { impl.send = (BitStreamWriter bs) { bs(true /* event */)(cast(uint)target); writeEvent(bs, wish); }; } } } //private { mixin MRemovePendingNetObjects; void updatePeer(playerId pid, StateSorter* sorter, BudgetWriter budgetWriter) { static if (serverSide) { auto player = players[pid]; int updatesPerSecond = snapshotsPerSecond; int bbps = player.bitBudgetPerSecond; } else { int updatesPerSecond = timeHub.ticksPerSecond; int bbps = serverBitBudgetPerSecond; } budgetWriter.bitBudget += bbps / updatesPerSecond; if (budgetWriter.bitBudget > bbps) { budgetWriter.bitBudget = bbps; } debug printf(`Determining relevant NetObjects from %d total`\n, netObjects.keys.length); foreach (netObj, ref netObjData; netObjData) { /** Don't update objects not controlled by the local client */ static if (clientSide) { if (!netObj.keepServerUpdated) { continue; } } static if (serverSide) { float objRelevance = calculateRelevance(pid, netObj); } else { // TODO float objRelevance = 1.f; } if (0.f == objRelevance) continue; // TODO: maybe it could use an epsilon? int numStates = netObj.numStateTypes; for (int state = 0; state < numStates; ++state) { static if (serverSide) { float scaledImp = netObjData.importances[pid][state] * objRelevance; } else { float scaledImp = netObjData.importances[state] * objRelevance; } if (0.f == scaledImp) continue; sorter.heap.addTail(NetObjStateImportance(netObj, scaledImp, state)); } } int bitBudget = budgetWriter.bitBudget; debug printf(`Determining important states from %d total`\n, sorter.heap.length); while (budgetWriter.canWriteMore && !sorter.heap.isEmpty) { auto state = sorter.heap.takeHead(); int budgetBefore = budgetWriter.bitBudget; budgetWriter(true); // writes one bit state.netObj.writeStateToStream(pid, state.stateIdx, budgetWriter, false); // TODO: replace this and budget writers with just checking how many bits the real bitstream stored // BUG: the net object will save its last written state in writeStateToStream, thinking that it got transmitted // this will break delta update prioritization if (budgetWriter.bitBudget < 0) { // no more writes, sorry :P budgetWriter.bitBudget = budgetBefore; break; } debug printf(`important netobj: %d state: %d importance: %f`\n, cast(int)state.netObj.netObjId, cast(int)state.stateIdx, state.importance); StateSet* stateSet = sorter.hash.get(cast(void*)state.netObj); if (stateSet is null) { stateSet = sorter.hash.put(cast(void*)state.netObj); *stateSet = StateSet.init; // TODO: check if this is already initialized here } (*stateSet)[state.stateIdx] = true; } int sendingBits = bitBudget - budgetWriter.bitBudget; static if (serverSide) { //printf(`Sending %d bits to player %d. Player budget: %d`\n, sendingBits, cast(int)pid, budgetWriter.bitBudget); } if (sendingBits > 0) { static if (serverSide) { sendSnapshotToPlayer(sorter.hash, pid); } else { sendSnapshotToServer(sorter.hash); } } } static if (serverSide) { void updatePlayer(playerId pid) { getStateSorter((StateSorter* sorter) { auto player = players[pid]; auto budgetWriter = playerBudgetWriters[pid]; updatePeer(pid, sorter, budgetWriter); }); // update importances of states for this net object foreach (netObj, ref netObjData; netObjData) { foreach (i, ref imp; netObjData.importances[pid]) { imp += netObj.getStateImportance(pid, i); } } } } else { void updateServer() { getStateSorter((StateSorter* sorter) { updatePeer(0/*ignored*/, sorter, serverBudgetWriter); }); // update importances of states for this net object foreach (netObj, ref netObjData; netObjData) { foreach (i, ref imp; netObjData.importances) { imp += netObj.getStateImportance(0, i); } } } } void sendSnapshotToPeer(playerId pid, ref StateSorterHash sorterHash, BudgetWriter budgetWriter, BitStreamWriter bsw) { bool tickSent = false; void sendTickData() { budgetWriter(false); bsw(false); // not an event if (!tickSent) { bsw(cast(uint)timeHub.currentTick+1); budgetWriter(uint.init); tickSent = true; debug printf(`Wrote a tick`\n); } } foreach (ref void* netObj__, ref StateSet states; sorterHash) { /+budgetWriter(false); bsw(false); // not an event+/ sendTickData(); NetObjBase netObj = cast(NetObjBase)netObj__; // group states by object, white state bits and serialize states into real bit stream writers debug printf(`Sending a NetObj snapshot...`\n); static if (is(objId Tmp == typedef) || true) { // write the NetObj's id bsw(cast(Tmp)netObj.netObjId()); budgetWriter(Tmp.init); } int numStates = netObj.numStateTypes; int nextState = 0; void writeZeroes(int curState) { while (nextState < curState) { bsw(false); // 0 => this state is skipped in the snapshot budgetWriter(false); ++nextState; } } auto netObjData = netObj in this.netObjData; states.iter((uint state) { writeZeroes(state); bsw(true); // 1 => this state is being serialized ++nextState; // will prevent writing a zero for this state //printf(`Writing a state`\n); netObj.writeStateToStream(pid, state, bsw, false); static if (serverSide) { netObjData.importances[pid][state] = 0; // sent, so reset the importance } else { netObjData.importances[state] = 0; // sent, so reset the importance } }); writeZeroes(numStates); // for the trailing states that are not getting sent debug printf(`NetObj done`\n); } if (!tickSent) { sendTickData(); } } static if (serverSide) { void sendSnapshotToPlayer(ref StateSorterHash sorterHash, playerId pid) { auto player = players[pid]; auto budgetWriter = playerBudgetWriters[pid]; impl.send((BitStreamWriter bs) { sendSnapshotToPeer(pid, sorterHash, budgetWriter, bs); }, pid); } } else { void sendSnapshotToServer(ref StateSorterHash sorterHash) { impl.send((BitStreamWriter bs) { sendSnapshotToPeer(0/*ignored*/, sorterHash, serverBudgetWriter, bs); }); } } static if (serverSide) { float calculateRelevance(playerId pid, NetObjBase netObj) { if (relevanceCalcFunc !is null) { return relevanceCalcFunc(pid, netObj); } else return 1.f; } } tick readTick(BitStreamReader bs) { uint tmp; bs(&tmp); return cast(tick)tmp; } void receiveData() { //printf("NetComm: receiveData@ %d"\n, cast(int)timeHub.currentTick); if (clientSide) { //printf("receiveData"\n); } synchronized (this) { // if at func level, dmd 1.031 complains // it's handled elsewhere in the server static if (clientSide) { removePendingNetObjects(); } static if (serverSide) { auto recvPacket = &impl.recvPacket; } else { bool recvPacket(StreamFate delegate(playerId, BitStreamReader) dg) { return impl.recvPacket((BitStreamReader bsr) { return dg(0/*ignored*/, bsr); }); } } while (recvPacket((playerId pid, BitStreamReader bs) { //printf("packet: "); //scope (exit) printf("\n"); float accumulatedError = 0; const float errorEpsilon = 0.0001f; static if (serverSide) { bool streamRetained = false; void lastTickRecvd(tick t) { if (pid < players.length) { players[pid].lastTickRecvd = t; } } } bool receivedTick = streamRetained; while (bs.moreBytes) { bool eventInStream = !streamRetained; if (eventInStream && (bs(&eventInStream), eventInStream)) { //printf("event"); if (!receiveEvent(pid, bs)) { //printf("donotwant"); streamRetained = false; return StreamFate.Dispose; // do not want } } else { if (!receivedTick) { //printf("tick"); receivedTick = true; /+static if (clientSide) { bs(&tickOffsetTuning); // read the tick offset the server gives us for synchronization }+/ lastTickRecvd = readTick(bs); static if (clientSide) { if (timeHub.currentTick > lastTickRecvd) { timeHub.trimHistory(timeHub.currentTick - lastTickRecvd); } } } streamRetained = false; static if (clientSide) { if (lastTickRecvd > timeHub.currentTick) { debug printf(`retaining stream and returning... (recvd: %d, local: %d)`\n, lastTickRecvd, timeHub.currentTick); streamRetained = true; return StreamFate.Retain; } } if (bs.moreBytes) { //printf("snapshot"); receiveStateSnapshot(pid, bs, &accumulatedError); } } } static if (clientSide) { if (connectedToServer) { if (accumulatedError >= errorEpsilon && lastTickRecvd < timeHub.currentTick) { printf(`Accum error: %f`\n, accumulatedError); accumulatedError = 0.f; this.rollbackTo(lastTickRecvd); } } } streamRetained = false; return StreamFate.Dispose; // continues the loop if there are more packets to handle })) {} } } void receiveStateSnapshot(playerId pid, BitStreamReader bs, float* accumulatedError) { debug printf(`reading a state snapshot from %d...`\n, cast(int)pid); static if (clientSide) { assert (timeHub.currentTick >= lastTickRecvd); } objId id; /* now read it: */ static if (is(objId Tmp == typedef) || true) { bs(cast(Tmp*)&id); } debug printf(`object id = %d`\n, cast(int)id); NetObjBase obj = getNetObj(id); // get the obj and unserialize its state int numObjStates = obj.numStateTypes; for (int i = 0; i < numObjStates; ++i) { bool statePresent = void; bs(&statePresent); if (statePresent) { debug printf(`Found state %d`\n, i); static if (serverSide) { tick lastTickRecvd = players[pid].lastTickRecvd; } playerId objAuth = obj.authOwner; static if (serverSide) { bool localAuthority = ServerAuthority == objAuth || NoAuthority == objAuth; bool locallyOwned = false; debug printf("received obj %d state for tick %d. Current tick %d; localAuth: %.*s"\n, id, lastTickRecvd, timeHub.currentTick, localAuthority ? "true" : "false"); } else { bool locallyOwned = obj.realOwner == localPlayerId; bool localAuthority = localPlayerId == objAuth; } // TODO: don't use the diff method if the error is too large // this may result in huge discrepancies between server and client state // for instance, a controller might get stuck at server side but released at client // in such a case, diffs would probably faill, although they will work great for most cases StateOverrideMethod som = StateOverrideMethod.Replace; if (clientSide && !localAuthority && /+obj.predicted+/locallyOwned) { som = StateOverrideMethod.ApplyDiff; } static if (clientSide) { tick dropEarlier = lastTickRecvd; } else { tick dropEarlier = timeHub.currentTick; } float objError = obj.readStateFromStream(pid, i, lastTickRecvd, dropEarlier, bs, som); if (!localAuthority) { if (obj.predicted && true == obj.getStateCriticalness(i)) { debug printf(`Obj state error: %f`\n, objError); *accumulatedError += objError; } else if (StateOverrideMethod.Replace == som && clientSide) { obj.setToStoredState(pid, i, lastTickRecvd); } } } } } bool receiveEvent(playerId player, BitStreamReader bs) { //printf("receiveEvent"\n); tick evtTargetTick = readTick(bs); static if (serverSide) { Event evt = readEventOr(bs, EventType.Wish, { printf(`Client tried to send an invalid event. Kicking.`\n); KickPlayer(player).delayed(5); }); if (evt is null) return false; if (!players[player].wishMask(cast(Wish)evt)) { printf(`Wish blocked: %.*s`\n, evt.classinfo.name); return true; } with (cast(Wish)evt) { wishOrigin = player; //eventTargetTick = evtTargetTick; receptionTimeMillis = cast(uint)(hardwareTimer.timeMicros / 1000); } if (evtTargetTick < timeHub.currentTick) { printf(`Wish targeted at %d arrived too late. currentTick: %d`\n, evtTargetTick, timeHub.currentTick); } evt.atTick(evtTargetTick); } else { Event evt = readEventOr(bs, EventType.Order, { throw new Exception(`Received an invalid event from the server`); }); //printf(`Event for tick %d`\n, evtTargetTick); if (evtTargetTick < timeHub.currentTick) { printf(`# evtTargetTick < timeHub.currentTick`\n); if ((cast(Order)evt).strictTiming) { rollbackTo(evtTargetTick); } } if (cast(ImmediateEvent)evt) { debug printf(`handling the control event`\n); evt.handle(); } else { debug printf(`submitting the %.*s...`\n, evt.classinfo.name); evt.atTick(evtTargetTick); } } return true; } int iterNetObjects(int delegate(ref NetObjBase) dg) { foreach (o, od; netObjData) { NetObjBase cpy = o; // stupid foreach :F if (auto r = dg(cpy)) return r; } return 0; } void removeNetObject(NetObjBase o) { netObjData[o].destroy(); netObjData.remove(o); netObjects.remove(o.netObjId); o.netObjUnref(); } NetObjData[NetObjBase] netObjData; NetObjBase[objId] netObjects; // ---- struct StateSorter { StateSorterHeap heap; StateSorterHash hash; } public static StateSorter createStateSorter__() { return StateSorter.init; } public static void reuseStateSorter__(StateSorter* s) { s.heap.eraseNoDelete(); // like .clear but doesnt free the internal storage s.hash.clear(); } ScopedResource!(ThreadsafePool!(createStateSorter__, reuseStateSorter__)) getStateSorter; // ---- }
D
/Users/phungdu/Documents/code/vapor/TILApp/Build/Intermediates/TILApp.build/Debug/SQL.build/Objects-normal/x86_64/SQLPredicateGroupBuilder.o : /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLBind.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLJoinMethod.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLTable.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLCreateTable.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLDropTable.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLAlterTable.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLSerializable.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLDataType.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLUpdate.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLDelete.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLLiteral.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLBoolLiteral.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLDefaultLiteral.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLTableConstraintAlgorithm.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLColumnConstraintAlgorithm.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLJoin.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLExpression.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLSelectExpression.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLCollation.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLForeignKeyAction.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLConnection.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLDirection.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLFunction.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLColumnDefinition.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLCreateTableBuilder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLDropTableBuilder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLAlterTableBuilder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLPredicateBuilder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLUpdateBuilder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLDeleteBuilder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLColumnBuilder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLPredicateGroupBuilder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLSelectBuilder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLInsertBuilder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLRawBuilder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLCreateIndexBuilder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLQueryBuilder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLQueryEncoder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLQueryFetcher.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLIndexModifier.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLIdentifier.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLTableIdentifier.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLColumnIdentifier.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLError.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLBinaryOperator.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/Exports.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLSelect.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLDistinct.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLFunctionArgument.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLTableConstraint.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLColumnConstraint.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLInsert.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLCreateIndex.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLDropIndex.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLGroupBy.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLOrderBy.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLForeignKey.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLPrimaryKey.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLQuery.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/NIO.framework/Modules/NIO.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/Async.framework/Modules/Async.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/Service.framework/Modules/Service.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/Core.framework/Modules/Core.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/Debugging.framework/Modules/Debugging.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/COperatingSystem.framework/Modules/COperatingSystem.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/NIOConcurrencyHelpers.framework/Modules/NIOConcurrencyHelpers.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/Bits.framework/Modules/Bits.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/NIOFoundationCompat.framework/Modules/NIOFoundationCompat.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/DatabaseKit.framework/Modules/DatabaseKit.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIOAtomics.framework/Headers/cpp_magic.h /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIOLinux.framework/Headers/ifaddrs-android.h /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIODarwin.framework/Headers/CNIODarwin.h /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIOAtomics.framework/Headers/CNIOAtomics.h /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIOLinux.framework/Headers/CNIOLinux.h /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/swift-nio-zlib-support.git--5226887469817572071/module.modulemap /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIODarwin.framework/Modules/module.modulemap /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIOAtomics.framework/Modules/module.modulemap /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIOLinux.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/phungdu/Documents/code/vapor/TILApp/Build/Intermediates/TILApp.build/Debug/SQL.build/Objects-normal/x86_64/SQLPredicateGroupBuilder~partial.swiftmodule : /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLBind.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLJoinMethod.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLTable.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLCreateTable.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLDropTable.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLAlterTable.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLSerializable.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLDataType.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLUpdate.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLDelete.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLLiteral.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLBoolLiteral.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLDefaultLiteral.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLTableConstraintAlgorithm.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLColumnConstraintAlgorithm.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLJoin.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLExpression.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLSelectExpression.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLCollation.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLForeignKeyAction.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLConnection.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLDirection.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLFunction.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLColumnDefinition.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLCreateTableBuilder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLDropTableBuilder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLAlterTableBuilder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLPredicateBuilder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLUpdateBuilder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLDeleteBuilder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLColumnBuilder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLPredicateGroupBuilder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLSelectBuilder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLInsertBuilder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLRawBuilder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLCreateIndexBuilder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLQueryBuilder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLQueryEncoder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLQueryFetcher.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLIndexModifier.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLIdentifier.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLTableIdentifier.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLColumnIdentifier.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLError.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLBinaryOperator.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/Exports.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLSelect.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLDistinct.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLFunctionArgument.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLTableConstraint.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLColumnConstraint.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLInsert.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLCreateIndex.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLDropIndex.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLGroupBy.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLOrderBy.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLForeignKey.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLPrimaryKey.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLQuery.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/NIO.framework/Modules/NIO.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/Async.framework/Modules/Async.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/Service.framework/Modules/Service.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/Core.framework/Modules/Core.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/Debugging.framework/Modules/Debugging.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/COperatingSystem.framework/Modules/COperatingSystem.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/NIOConcurrencyHelpers.framework/Modules/NIOConcurrencyHelpers.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/Bits.framework/Modules/Bits.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/NIOFoundationCompat.framework/Modules/NIOFoundationCompat.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/DatabaseKit.framework/Modules/DatabaseKit.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIOAtomics.framework/Headers/cpp_magic.h /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIOLinux.framework/Headers/ifaddrs-android.h /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIODarwin.framework/Headers/CNIODarwin.h /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIOAtomics.framework/Headers/CNIOAtomics.h /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIOLinux.framework/Headers/CNIOLinux.h /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/swift-nio-zlib-support.git--5226887469817572071/module.modulemap /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIODarwin.framework/Modules/module.modulemap /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIOAtomics.framework/Modules/module.modulemap /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIOLinux.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/phungdu/Documents/code/vapor/TILApp/Build/Intermediates/TILApp.build/Debug/SQL.build/Objects-normal/x86_64/SQLPredicateGroupBuilder~partial.swiftdoc : /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLBind.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLJoinMethod.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLTable.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLCreateTable.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLDropTable.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLAlterTable.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLSerializable.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLDataType.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLUpdate.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLDelete.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLLiteral.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLBoolLiteral.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLDefaultLiteral.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLTableConstraintAlgorithm.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLColumnConstraintAlgorithm.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLJoin.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLExpression.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLSelectExpression.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLCollation.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLForeignKeyAction.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLConnection.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLDirection.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLFunction.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLColumnDefinition.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLCreateTableBuilder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLDropTableBuilder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLAlterTableBuilder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLPredicateBuilder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLUpdateBuilder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLDeleteBuilder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLColumnBuilder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLPredicateGroupBuilder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLSelectBuilder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLInsertBuilder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLRawBuilder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLCreateIndexBuilder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLQueryBuilder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLQueryEncoder.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLQueryFetcher.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLIndexModifier.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLIdentifier.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLTableIdentifier.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLColumnIdentifier.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLError.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLBinaryOperator.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/Exports.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLSelect.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLDistinct.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLFunctionArgument.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLTableConstraint.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLColumnConstraint.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLInsert.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLCreateIndex.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLDropIndex.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLGroupBy.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLOrderBy.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLForeignKey.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLPrimaryKey.swift /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/sql.git-6484346812122690078/Sources/SQL/SQLQuery.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/NIO.framework/Modules/NIO.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/Async.framework/Modules/Async.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/Service.framework/Modules/Service.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/Core.framework/Modules/Core.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/Debugging.framework/Modules/Debugging.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/COperatingSystem.framework/Modules/COperatingSystem.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/NIOConcurrencyHelpers.framework/Modules/NIOConcurrencyHelpers.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/Bits.framework/Modules/Bits.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/NIOFoundationCompat.framework/Modules/NIOFoundationCompat.swiftmodule/x86_64.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/DatabaseKit.framework/Modules/DatabaseKit.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIOAtomics.framework/Headers/cpp_magic.h /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIOLinux.framework/Headers/ifaddrs-android.h /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIODarwin.framework/Headers/CNIODarwin.h /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIOAtomics.framework/Headers/CNIOAtomics.h /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIOLinux.framework/Headers/CNIOLinux.h /Users/phungdu/Documents/code/vapor/TILApp/.build/checkouts/swift-nio-zlib-support.git--5226887469817572071/module.modulemap /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIODarwin.framework/Modules/module.modulemap /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIOAtomics.framework/Modules/module.modulemap /Users/phungdu/Documents/code/vapor/TILApp/Build/Products/Debug/CNIOLinux.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
D
module wx.ToolBar; public import wx.common; public import wx.Bitmap; public import wx.Control; public import wx.ClientData; //! \cond EXTERN static extern (C) IntPtr wxToolBarToolBase_ctor(IntPtr tbar, int toolid, string label, IntPtr bmpNormal, IntPtr bmpDisabled, int kind, IntPtr clientData, string shortHelpString, string longHelpString); static extern (C) IntPtr wxToolBarToolBase_ctorCtrl(IntPtr tbar, IntPtr control); static extern (C) int wxToolBarToolBase_GetId(IntPtr self); static extern (C) IntPtr wxToolBarToolBase_GetControl(IntPtr self); static extern (C) IntPtr wxToolBarToolBase_GetToolBar(IntPtr self); static extern (C) bool wxToolBarToolBase_IsButton(IntPtr self); static extern (C) bool wxToolBarToolBase_IsControl(IntPtr self); static extern (C) bool wxToolBarToolBase_IsSeparator(IntPtr self); static extern (C) int wxToolBarToolBase_GetStyle(IntPtr self); static extern (C) int wxToolBarToolBase_GetKind(IntPtr self); static extern (C) bool wxToolBarToolBase_IsEnabled(IntPtr self); static extern (C) bool wxToolBarToolBase_IsToggled(IntPtr self); static extern (C) bool wxToolBarToolBase_CanBeToggled(IntPtr self); static extern (C) IntPtr wxToolBarToolBase_GetLabel(IntPtr self); static extern (C) IntPtr wxToolBarToolBase_GetShortHelp(IntPtr self); static extern (C) IntPtr wxToolBarToolBase_GetLongHelp(IntPtr self); static extern (C) IntPtr wxToolBarToolBase_GetClientData(IntPtr self); static extern (C) bool wxToolBarToolBase_Enable(IntPtr self, bool enable); static extern (C) bool wxToolBarToolBase_Toggle(IntPtr self, bool toggle); static extern (C) bool wxToolBarToolBase_SetToggle(IntPtr self, bool toggle); static extern (C) bool wxToolBarToolBase_SetShortHelp(IntPtr self, string help); static extern (C) bool wxToolBarToolBase_SetLongHelp(IntPtr self, string help); static extern (C) void wxToolBarToolBase_Toggle(IntPtr self); static extern (C) void wxToolBarToolBase_SetNormalBitmap(IntPtr self, IntPtr bmp); static extern (C) void wxToolBarToolBase_SetDisabledBitmap(IntPtr self, IntPtr bmp); static extern (C) void wxToolBarToolBase_SetLabel(IntPtr self, string label); static extern (C) void wxToolBarToolBase_SetClientData(IntPtr self, IntPtr clientData); static extern (C) void wxToolBarToolBase_Detach(IntPtr self); static extern (C) void wxToolBarToolBase_Attach(IntPtr self, IntPtr tbar); //! \endcond //--------------------------------------------------------------------- alias ToolBarTool wxToolBarTool; public class ToolBarTool : wxObject { public this(IntPtr wxobj); public this(ToolBar tbar = null, int toolid = wxID_SEPARATOR, string label = "", Bitmap bmpNormal = Bitmap.wxNullBitmap, Bitmap bmpDisabled = Bitmap.wxNullBitmap, ItemKind kind = ItemKind.wxITEM_NORMAL, ClientData clientData = null, string shortHelpString = "", string longHelpString = ""); public this(ToolBar tbar, Control control); public static wxObject New(IntPtr ptr); public int ID() ; public Control control() ; public ToolBar toolBar() ; public bool IsButton() ; bool IsControl() ; bool IsSeparator() ; public int Style() ; public ItemKind Kind() ; bool CanBeToggled(); public string Label() ; public void Label(string value) ; public string ShortHelp() ; public void ShortHelp(string value) ; public string LongHelp() ; public void LongHelp(string value) ; public ClientData clientData(); public void clientData(ClientData value) ; public void Enabled(bool value) ; public bool Enabled() ; public void Toggled(bool value) ; public bool Toggled() ; public void NormalBitmap(Bitmap value) ; public void DisabledBitmap(Bitmap value) ; void Detach(); void Attach(ToolBar tbar); } //! \cond EXTERN static extern (C) IntPtr wxToolBar_ctor(IntPtr parent, int id, inout Point pos, inout Size size, uint style); static extern (C) IntPtr wxToolBar_AddTool1(IntPtr self, int toolid, string label, IntPtr bitmap, IntPtr bmpDisabled, int kind, string shortHelp, string longHelp, IntPtr data); static extern (C) IntPtr wxToolBar_AddTool2(IntPtr self, int toolid, string label, IntPtr bitmap, string shortHelp, int kind); static extern (C) IntPtr wxToolBar_AddCheckTool(IntPtr self, int toolid, string label, IntPtr bitmap, IntPtr bmpDisabled, string shortHelp, string longHelp, IntPtr data); static extern (C) IntPtr wxToolBar_AddRadioTool(IntPtr self, int toolid, string label, IntPtr bitmap, IntPtr bmpDisabled, string shortHelp, string longHelp, IntPtr data); static extern (C) IntPtr wxToolBar_AddControl(IntPtr self, IntPtr control); static extern (C) IntPtr wxToolBar_InsertControl(IntPtr self, int pos, IntPtr control); static extern (C) IntPtr wxToolBar_FindControl(IntPtr self, int toolid); static extern (C) IntPtr wxToolBar_AddSeparator(IntPtr self); static extern (C) IntPtr wxToolBar_InsertSeparator(IntPtr self, int pos); static extern (C) IntPtr wxToolBar_RemoveTool(IntPtr self, int toolid); static extern (C) bool wxToolBar_DeleteToolByPos(IntPtr self, int pos); static extern (C) bool wxToolBar_DeleteTool(IntPtr self, int toolid); static extern (C) void wxToolBar_ClearTools(IntPtr self); static extern (C) bool wxToolBar_Realize(IntPtr self); static extern (C) void wxToolBar_EnableTool(IntPtr self, int toolid, bool enable); static extern (C) void wxToolBar_ToggleTool(IntPtr self, int toolid, bool toggle); static extern (C) IntPtr wxToolBar_GetToolClientData(IntPtr self, int toolid); static extern (C) void wxToolBar_SetToolClientData(IntPtr self, int toolid, IntPtr clientData); static extern (C) bool wxToolBar_GetToolState(IntPtr self, int toolid); static extern (C) bool wxToolBar_GetToolEnabled(IntPtr self, int toolid); static extern (C) void wxToolBar_SetToolShortHelp(IntPtr self, int toolid, string helpString); static extern (C) IntPtr wxToolBar_GetToolShortHelp(IntPtr self, int toolid); static extern (C) void wxToolBar_SetToolLongHelp(IntPtr self, int toolid, string helpString); static extern (C) IntPtr wxToolBar_GetToolLongHelp(IntPtr self, int toolid); static extern (C) void wxToolBar_SetMargins(IntPtr self, int x, int y); static extern (C) void wxToolBar_SetToolPacking(IntPtr self, int packing); static extern (C) void wxToolBar_SetToolSeparation(IntPtr self, int separation); static extern (C) void wxToolBar_GetToolMargins(IntPtr self, inout Size size); static extern (C) int wxToolBar_GetToolPacking(IntPtr self); static extern (C) int wxToolBar_GetToolSeparation(IntPtr self); static extern (C) void wxToolBar_SetRows(IntPtr self, int nRows); static extern (C) void wxToolBar_SetMaxRowsCols(IntPtr self, int rows, int cols); static extern (C) int wxToolBar_GetMaxRows(IntPtr self); static extern (C) int wxToolBar_GetMaxCols(IntPtr self); static extern (C) void wxToolBar_SetToolBitmapSize(IntPtr self, inout Size size); static extern (C) void wxToolBar_GetToolBitmapSize(IntPtr self, inout Size size); static extern (C) void wxToolBar_GetToolSize(IntPtr self, inout Size size); static extern (C) IntPtr wxToolBar_FindToolForPosition(IntPtr self, int x, int y); static extern (C) bool wxToolBar_IsVertical(IntPtr self); static extern (C) IntPtr wxToolBar_AddTool3(IntPtr self, int toolid, IntPtr bitmap, IntPtr bmpDisabled, bool toggle, IntPtr clientData, string shortHelpString, string longHelpString); static extern (C) IntPtr wxToolBar_AddTool4(IntPtr self, int toolid, IntPtr bitmap, string shortHelpString, string longHelpString); static extern (C) IntPtr wxToolBar_AddTool5(IntPtr self, int toolid, IntPtr bitmap, IntPtr bmpDisabled, bool toggle, int xPos, int yPos, IntPtr clientData, string shortHelp, string longHelp); static extern (C) IntPtr wxToolBar_InsertTool(IntPtr self, int pos, int toolid, IntPtr bitmap, IntPtr bmpDisabled, bool toggle, IntPtr clientData, string shortHelp, string longHelp); static extern (C) bool wxToolBar_AcceptsFocus(IntPtr self); //! \endcond //--------------------------------------------------------------------- alias ToolBar wxToolBar; public class ToolBar : Control { enum { wxTB_HORIZONTAL = Orientation.wxHORIZONTAL, wxTB_VERTICAL = Orientation.wxVERTICAL, wxTB_3DBUTTONS = 0x0010, wxTB_FLAT = 0x0020, wxTB_DOCKABLE = 0x0040, wxTB_NOICONS = 0x0080, wxTB_TEXT = 0x0100, wxTB_NODIVIDER = 0x0200, wxTB_NOALIGN = 0x0400, wxTB_HORZ_LAYOUT = 0x0800, wxTB_HORZ_TEXT = wxTB_HORZ_LAYOUT | wxTB_TEXT } //--------------------------------------------------------------------- public this(IntPtr wxobj) ; public this(Window parent, int id, Point pos = wxDefaultPosition, Size size = wxDefaultSize, int style = wxNO_BORDER|wxTB_HORIZONTAL); public this(Window parent, Point pos = wxDefaultPosition, Size size = wxDefaultSize, int style = wxNO_BORDER|wxTB_HORIZONTAL); public ToolBarTool AddTool(int toolid, string label, Bitmap bitmap); public ToolBarTool AddTool(int toolid, string label, Bitmap bitmap, Bitmap bmpDisabled, ItemKind kind, string shortHelp, string longHelp, ClientData clientData); public ToolBarTool AddTool(int toolid, string label, Bitmap bitmap, string shortHelp, ItemKind kind = ItemKind.wxITEM_NORMAL); public ToolBarTool AddTool(int toolid, Bitmap bitmap, Bitmap bmpDisabled, bool toggle, ClientData clientData, string shortHelpString, string longHelpString); public ToolBarTool AddTool(int toolid, Bitmap bitmap, string shortHelpString); public ToolBarTool AddTool(int toolid, Bitmap bitmap, string shortHelpString, string longHelpString); public ToolBarTool AddTool(int toolid, Bitmap bitmap, Bitmap bmpDisabled, bool toggle, int xPos, int yPos, ClientData clientData, string shortHelp, string longHelp); public ToolBarTool InsertTool(int pos, int toolid, Bitmap bitmap, Bitmap bmpDisabled, bool toggle, ClientData clientData, string shortHelp, string longHelp); public ToolBarTool AddCheckTool(int toolid, string label, Bitmap bitmap, Bitmap bmpDisabled, string shortHelp, string longHelp); public ToolBarTool AddRadioTool(int toolid, string label, Bitmap bitmap, Bitmap bmpDisabled, string shortHelp, string longHelp); public ToolBarTool AddControl(Control ctrl); public ToolBarTool InsertControl(int pos, Control ctrl); public ToolBarTool FindControl(int toolid); public ToolBarTool AddSeparator(); public ToolBarTool InsertSeparator(int pos); public ToolBarTool RemoveTool(int toolid); public bool DeleteToolByPos(int pos); public bool DeleteTool(int toolid); public void ClearTools(); public bool Realize(); public void EnableTool(int toolid, bool enable); public void ToggleTool(int toolid, bool toggle); public void SetToolClientData(int toolid, ClientData clientData); public ClientData GetToolClientData(int toolid); public bool GetToolState(int toolid); public bool GetToolEnable(int toolid); public string GetToolShortHelp(int toolid); public void SetToolShortHelp(int toolid, string helpString); public string GetToolLongHelp(int toolid); public void SetToolLongHelp(int toolid, string helpString); public void SetMargins(int x, int y) ; public Size Margins(); public void Margins(Size value) ; public int ToolPacking() ; public void ToolPacking(int value); public int Separation() ; public void Separation(int value) ; public void Rows(int value) ; public int MaxRows() ; public int MaxCols() ; public void SetMaxRowsCols(int rows, int cols); public Size ToolBitmapSize() ; public void ToolBitmapSize(Size value) ; public Size ToolSize() ; public ToolBarTool FindToolForPosition(int x, int y); public bool IsVertical(); public override bool AcceptsFocus(); }
D
 import stdrus, win, cidrus; version(UCRT) { pragma(lib, "ucrt.lib"); extern(C) { int _waccess(wchar* path, int access_mode); int _wchmod(wchar* path, int mode); } } alias скажифнс ск; цел удалиФайлы(ткст флрасш, ткст путь = "d:\\dinrus\\dev\\DINRUS\\Base") { цел удалено = 0; ск("Подождите пока строится список файлов => "~флрасш); нс; auto файлы = списпап(путь, флрасш); foreach (ф; файлы) { try { //if( _wchmod(вЮ16н(ф), 6) == -1) ошибка(фм("Файл незаписываемый: %s", ф)); удалиФайл(ф); удалено++; } catch(ВВИскл искл){ //throw искл; version(UCRT) if( _wchmod(вЮ16н(ф), 6) == -1) ошибка(фм("Файл незаписываемый: %s", ф)); удалиФайл(ф); удалено++; } ск("Удалён : "~ф); } нс; ск("Файлов удалено: %d", удалено); нс; return 0; } проц main() { ск("Начало послепостроечной очистки: "); alias удалиФайлы уд; уд("*.obj"); уд("*.map"); //уд("*.exe"); //уд("*.dll"); уд("*.bak"); уд("*.rsp"); уд("*.lib"); уд("*.di"); уд("*.html"); уд("*.htm"); ск("Операция удаления файлов завершена."); нс; нс; выход(0); }
D
PLONG PLAT ED95 KD LOMAGAGE HIMAGAGE SLAT SLONG RESULTNO DP DM ROCKTYPE 244.5 81.6999969 9.80000019 0 2 10 -9.60000038 119.300003 1209 5.80000019 10.6999998 extrusives 51 49 12 0 4 6 -9.30000019 124.300003 1207 6.0999999 12.1000004 extrusives, pillow basalts, intrusives 249.300003 82.3000031 8.60000038 0 2 10 -9.69999981 120.099998 1208 5.0999999 9.39999962 sediments, tuffs
D
module mainloop.topscrn.first; /* * The first screen that is produced for the main loop. * * All subsequent screens will be created from the previous screen. */ import optional; import basics.cmdargs; static import file.option.allopts; import file.replay; import mainloop.topscrn.other; import mainloop.topscrn.game; import mainloop.topscrn.base; import menu.repmatch; TopLevelScreen createFirstScreen() { return (file.option.userName.length > 0) ? new MainMenuScreen() : new AskNameScreen(); } TopLevelScreen createGameFromCmdargs(in Cmdargs cmdargs) { assert (cmdargs.fileArgs.length > 0, "Call createFirstScreen instead"); auto matcher = new ReplayToLevelMatcher(cmdargs.fileArgs[$-1]); if (cmdargs.preferPointedTo) { matcher.forcePointedTo(); } else if (cmdargs.fileArgs.length == 2) { matcher.forceLevel(cmdargs.fileArgs[0]); } if (! matcher.mayCreateGame) { throw new Exception("Level or replay isn't playable."); } const args = matcher.argsToCreateGame; return new SingleplayerGameScreen(args, args.loadedReplay.empty ? AfterGameGoTo.singleBrowser : AfterGameGoTo.replayBrowser); }
D
module d.semantic.dtemplate; import d.semantic.semantic; import d.ast.declaration; import d.ir.dscope; import d.ir.dtemplate; import d.ir.expression; import d.ir.symbol; import d.ir.type; import d.location; import std.algorithm; import std.array; import std.range; struct TemplateInstancier { private SemanticPass pass; alias pass this; this(SemanticPass pass) { this.pass = pass; } auto instanciate(Location location, OverloadSet s, TemplateArgument[] args, Expression[] fargs) { auto cds = s.set.filter!((t) { if(auto asTemplate = cast(Template) t) { return asTemplate.parameters.length >= args.length; } assert(0, "this isn't a template"); }); Template match; TemplateArgument[] matchedArgs; CandidateLoop: foreach(candidate; cds) { auto t = cast(Template) candidate; assert(t, "We should have ensured that we only have templates at this point."); TemplateArgument[] cdArgs; cdArgs.length = t.parameters.length; if(!matchArguments(t, args, fargs, cdArgs)) { continue CandidateLoop; } if(!match) { match = t; matchedArgs = cdArgs; continue CandidateLoop; } TemplateArgument[] dummy; dummy.length = t.parameters.length; static buildArg(TemplateParameter p) { if (auto tp = cast(TypeTemplateParameter) p) { return TemplateArgument(tp.specialization); } import d.exception; throw new CompileException(p.location, typeid(p).toString() ~ " not implemented"); } auto asArg = match.parameters.map!buildArg.array(); bool match2t = matchArguments(t, asArg, [], dummy); dummy = null; dummy.length = match.parameters.length; asArg = t.parameters.map!buildArg.array(); bool t2match = matchArguments(match, asArg, [], dummy); if(t2match == match2t) { assert(0, "Ambiguous template"); } if(t2match) { match = t; matchedArgs = cdArgs; continue CandidateLoop; } } assert(match); return instanciateFromResolvedArgs(location, match, matchedArgs); } auto instanciate(Location location, Template t, TemplateArgument[] args, Expression[] fargs = []) { scheduler.require(t); TemplateArgument[] matchedArgs; if(t.parameters.length > 0) { matchedArgs.length = t.parameters.length; auto match = matchArguments(t, args, fargs, matchedArgs); if (!match) { import d.exception; throw new CompileException(location, "No match"); } } return instanciateFromResolvedArgs(location, t, matchedArgs); } bool matchArguments(Template t, TemplateArgument[] args, Expression[] fargs, TemplateArgument[] matchedArgs) { scheduler.require(t); assert(t.parameters.length >= args.length); assert(matchedArgs.length == t.parameters.length); uint i = 0; foreach(a; args) { if(!matchArgument(t.parameters[i++], a, matchedArgs)) { return false; } } foreach(j, a; fargs) { if(!IftiTypeMatcher(matchedArgs, a.type).visit(t.ifti[j])) { return false; } } // Match unspecified parameters. foreach(a; matchedArgs[i .. $]) { if(!matchArgument(t.parameters[i++], a, matchedArgs)) { return false; } } return true; } bool matchArgument(TemplateParameter p, TemplateArgument a, TemplateArgument[] matchedArgs) { return a.apply!(function bool() { assert(0, "All passed argument must be defined."); }, (identified) { static if(is(typeof(identified) : QualType)) { return TypeMatcher(pass, matchedArgs, identified).visit(p); } else static if(is(typeof(identified) : Expression)) { return ValueMatcher(pass, matchedArgs, identified).visit(p); } else static if(is(typeof(identified) : Symbol)) { return SymbolMatcher(pass, matchedArgs, identified).visit(p); } else { return false; } })(); } auto instanciateFromResolvedArgs(Location location, Template t, TemplateArgument[] args) { assert(t.parameters.length == args.length); auto i = 0; Symbol[] argSyms; // XXX: have to put array once again to avoid multiple map. string id = args.map!( a => a.apply!(function string() { assert(0, "All passed argument must be defined."); }, delegate string(identified) { auto p = t.parameters[i++]; static if(is(typeof(identified) : QualType)) { auto a = new TypeAlias(p.location, p.name, identified); import d.semantic.mangler; a.mangle = TypeMangler(pass).visit(identified); a.step = Step.Processed; argSyms ~= a; return "T" ~ a.mangle; } else static if(is(typeof(identified) : CompileTimeExpression)) { auto a = new ValueAlias(p.location, p.name, identified); import d.ast.base; a.storage = Storage.Enum; import d.semantic.mangler; a.mangle = TypeMangler(pass).visit(identified.type) ~ ValueMangler(pass).visit(identified); a.step = Step.Processed; argSyms ~= a; return "V" ~ a.mangle; } else static if(is(typeof(identified) : Symbol)) { auto a = new SymbolAlias(p.location, p.name, identified); pass.scheduler.require(identified, Step.Populated); a.mangle = identified.mangle; a.step = Step.Processed; argSyms ~= a; return "S" ~ a.mangle; } else { assert(0, typeid(identified).toString() ~ " is not supported."); } }) ).array().join(); return t.instances.get(id, { auto oldManglePrefix = pass.manglePrefix; auto oldScope = pass.currentScope; scope(exit) { pass.manglePrefix = oldManglePrefix; pass.currentScope = oldScope; } auto i = new TemplateInstance(location, t, argSyms); i.mangle = t.mangle ~ "T" ~ id ~ "Z"; pass.scheduler.schedule(t, i); return t.instances[id] = i; }()); } } enum Tag { Undefined, Symbol, Expression, Type, } struct TemplateArgument { union { Symbol sym; CompileTimeExpression expr; Type type; } import d.ast.base : TypeQualifier; import std.bitmanip; mixin(bitfields!( Tag, "tag", 2, TypeQualifier, "qual", 3, uint, "", 3, )); // For type inference. this(typeof(null)); this(TemplateArgument a) { this = a; } this(Symbol s) { tag = Tag.Symbol; sym = s; } this(CompileTimeExpression e) { tag = Tag.Expression; expr = e; } this(QualType qt) { tag = Tag.Type; qual = qt.qualifier; type = qt.type; } } unittest { static assert(TemplateArgument.init.tag == Tag.Undefined); } auto apply(alias undefinedHandler, alias handler)(TemplateArgument a) { final switch(a.tag) with(Tag) { case Undefined : return undefinedHandler(); case Symbol : return handler(a.sym); case Expression : return handler(a.expr); case Type : return handler(QualType(a.type, a.qual)); } } struct TypeMatcher { TemplateArgument[] matchedArgs; QualType matchee; // XXX: used only in one place in caster, can probably be removed. // XXX: it used to cast classes in a way that isn't useful here. // XXX: let's move it away when we have a context and cannonical types. SemanticPass pass; this(SemanticPass pass, TemplateArgument[] matchedArgs, QualType matchee) { this.pass = pass; this.matchedArgs = matchedArgs; this.matchee = peelAlias(matchee); } bool visit(TemplateParameter p) { return this.dispatch(p); } bool visit(AliasTemplateParameter p) { matchedArgs[p.index] = TemplateArgument(matchee); return true; } bool visit(TypeTemplateParameter p) { auto originalMatchee = matchee; auto originalMatched = matchedArgs[p.index]; matchedArgs[p.index] = TemplateArgument.init; if(!visit(peelAlias(p.specialization))) { return false; } matchedArgs[p.index].apply!({ matchedArgs[p.index] = TemplateArgument(originalMatchee); }, (_) {})(); return originalMatched.apply!({ return true; }, (o) { static if(is(typeof(o) : QualType)) { return matchedArgs[p.index].apply!({ return false; }, (m) { static if(is(typeof(m) : QualType)) { import d.semantic.caster; import d.ir.expression; return implicitCastFrom(pass, m, o) == CastKind.Exact; } else { return false; } })(); } else { return false; } })(); } bool visit(QualType t) { return this.dispatch(t.type); } bool visit(Type t) { return this.dispatch(t); } bool visit(TemplatedType t) { auto i = t.param.index; return matchedArgs[i].apply!({ matchedArgs[i] = TemplateArgument(matchee); return true; }, delegate bool(identified) { static if(is(typeof(identified) : QualType)) { import d.semantic.caster; import d.ir.expression; return implicitCastFrom(pass, matchee, identified) == CastKind.Exact; } else { return false; } })(); } bool visit(PointerType t) { auto m = peelAlias(matchee).type; if(auto asPointer = cast(PointerType) m) { matchee = asPointer.pointed; return visit(t.pointed); } return false; } bool visit(SliceType t) { auto m = peelAlias(matchee).type; if(auto asSlice = cast(SliceType) m) { matchee = asSlice.sliced; return visit(t.sliced); } return false; } bool visit(ArrayType t) { auto m = peelAlias(matchee).type; if(auto asArray = cast(ArrayType) m) { if(asArray.size == t.size) { matchee = asArray.elementType; return visit(t.elementType); } } return false; } bool visit(BuiltinType t) { auto m = peelAlias(matchee).type; if(auto asBuiltin = cast(BuiltinType) m) { return t.kind == asBuiltin.kind; } return false; } } struct ValueMatcher { TemplateArgument[] matchedArgs; CompileTimeExpression matchee; // XXX: used only in one place in caster, can probably be removed. // XXX: it used to cast classes in a way that isn't useful here. // XXX: let's move it away when we have a context and cannonical types. SemanticPass pass; this(SemanticPass pass, TemplateArgument[] matchedArgs, CompileTimeExpression matchee) { this.pass = pass; this.matchedArgs = matchedArgs; this.matchee = matchee; } bool visit(TemplateParameter p) { return this.dispatch(p); } bool visit(ValueTemplateParameter p) { matchedArgs[p.index] = TemplateArgument(matchee); // TODO: If IFTI fails, go for cast. return IftiTypeMatcher(matchedArgs, matchee.type).visit(p.type); } bool visit(AliasTemplateParameter p) { matchedArgs[p.index] = TemplateArgument(matchee); return true; } bool visit(TypedAliasTemplateParameter p) { matchedArgs[p.index] = TemplateArgument(matchee); // TODO: If IFTI fails, go for cast. return IftiTypeMatcher(matchedArgs, matchee.type).visit(p.type); } } struct SymbolMatcher { TemplateArgument[] matchedArgs; Symbol matchee; SemanticPass pass; this(SemanticPass pass, TemplateArgument[] matchedArgs, Symbol matchee) { this.pass = pass; this.matchedArgs = matchedArgs; this.matchee = matchee; } bool visit(TemplateParameter p) { return this.dispatch(p); } bool visit(AliasTemplateParameter p) { matchedArgs[p.index] = TemplateArgument(matchee); return true; } bool visit(TypedAliasTemplateParameter p) { if(auto vs = cast(ValueSymbol) matchee) { matchedArgs[p.index] = TemplateArgument(vs); import d.semantic.identifier; return IdentifierVisitor!(delegate bool(identified) { alias type = typeof(identified); // IdentifierVisitor must know the return value of the closure. // To do so, it instanciate it with null as parameter. static if(is(type : Expression) && !is(type == typeof(null))) { // TODO: If IFTI fails, go for cast. return IftiTypeMatcher(matchedArgs, identified.type).visit(p.type); } else { return false; } })(pass).visit(p.location, vs); } return false; } bool visit(TypeTemplateParameter p) { import d.semantic.identifier; return IdentifierVisitor!(delegate bool(identified) { static if(is(typeof(identified) : QualType)) { return TypeMatcher(pass, matchedArgs, identified).visit(p); } else { return false; } })(pass).visit(p.location, matchee); } bool visit(ValueTemplateParameter p) { import d.semantic.identifier; return IdentifierVisitor!(delegate bool(identified) { static if(is(typeof(identified) : Expression)) { return ValueMatcher(pass, matchedArgs, pass.evaluate(identified)).visit(p); } else { return false; } })(pass).visit(p.location, matchee); } } // XXX: Massive code duplication as static if somehow do not work here. // XXX: probable a dmd bug, but I have no time to investigate. struct IftiTypeMatcher { TemplateArgument[] matchedArgs; QualType matchee; this(TemplateArgument[] matchedArgs, QualType matchee) { this.matchedArgs = matchedArgs; this.matchee = peelAlias(matchee); } bool visit(QualType t) { return visit(t.type); } bool visit(Type t) { return this.dispatch(t); } bool visit(TemplatedType t) { auto i = t.param.index; return matchedArgs[i].apply!({ matchedArgs[i] = TemplateArgument(matchee); return true; }, delegate bool(identified) { return true; })(); } bool visit(PointerType t) { auto m = peelAlias(matchee).type; if(auto asPointer = cast(PointerType) m) { matchee = asPointer.pointed; return visit(t.pointed); } return false; } bool visit(SliceType t) { auto m = peelAlias(matchee).type; if(auto asSlice = cast(SliceType) m) { matchee = asSlice.sliced; return visit(t.sliced); } return false; } bool visit(ArrayType t) { auto m = peelAlias(matchee).type; if(auto asArray = cast(ArrayType) m) { if(asArray.size == t.size) { matchee = asArray.elementType; return visit(t.elementType); } } return false; } bool visit(BuiltinType t) { auto m = peelAlias(matchee).type; if(auto asBuiltin = cast(BuiltinType) m) { return t.kind == asBuiltin.kind; } return false; } }
D
/Users/viktor/Documents/iOS/Mobile/FaceDetection-master/build/FaceDetection.build/Debug-iphonesimulator/FaceDetection.build/Objects-normal/x86_64/FeedViewController.o : /Users/viktor/Documents/iOS/Mobile/FaceDetection-master/FaceDetection/FaceObscurationFilter.swift /Users/viktor/Documents/iOS/Mobile/FaceDetection-master/FaceDetection/PixellationFilter.swift /Users/viktor/Documents/iOS/Mobile/FaceDetection-master/FaceDetection/FeedViewController.swift /Users/viktor/Documents/iOS/Mobile/FaceDetection-master/FaceDetection/AppDelegate.swift /Users/viktor/Documents/iOS/Mobile/FaceDetection-master/FaceDetection/CoreImageAdditions.swift /Users/viktor/Documents/iOS/Mobile/FaceDetection-master/FaceDetection/CaptureSessionController.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/AVFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreMedia.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreAudio.swiftmodule /Users/viktor/Documents/iOS/Mobile/FaceDetection-master/build/FaceDetection.build/Debug-iphonesimulator/FaceDetection.build/Objects-normal/x86_64/FeedViewController~partial.swiftmodule : /Users/viktor/Documents/iOS/Mobile/FaceDetection-master/FaceDetection/FaceObscurationFilter.swift /Users/viktor/Documents/iOS/Mobile/FaceDetection-master/FaceDetection/PixellationFilter.swift /Users/viktor/Documents/iOS/Mobile/FaceDetection-master/FaceDetection/FeedViewController.swift /Users/viktor/Documents/iOS/Mobile/FaceDetection-master/FaceDetection/AppDelegate.swift /Users/viktor/Documents/iOS/Mobile/FaceDetection-master/FaceDetection/CoreImageAdditions.swift /Users/viktor/Documents/iOS/Mobile/FaceDetection-master/FaceDetection/CaptureSessionController.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/AVFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreMedia.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreAudio.swiftmodule /Users/viktor/Documents/iOS/Mobile/FaceDetection-master/build/FaceDetection.build/Debug-iphonesimulator/FaceDetection.build/Objects-normal/x86_64/FeedViewController~partial.swiftdoc : /Users/viktor/Documents/iOS/Mobile/FaceDetection-master/FaceDetection/FaceObscurationFilter.swift /Users/viktor/Documents/iOS/Mobile/FaceDetection-master/FaceDetection/PixellationFilter.swift /Users/viktor/Documents/iOS/Mobile/FaceDetection-master/FaceDetection/FeedViewController.swift /Users/viktor/Documents/iOS/Mobile/FaceDetection-master/FaceDetection/AppDelegate.swift /Users/viktor/Documents/iOS/Mobile/FaceDetection-master/FaceDetection/CoreImageAdditions.swift /Users/viktor/Documents/iOS/Mobile/FaceDetection-master/FaceDetection/CaptureSessionController.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/AVFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreMedia.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreAudio.swiftmodule
D
/Users/mu/Hello/.build/x86_64-apple-macosx/debug/DatabaseKit.build/ConnectionPool/Container+ConnectionPool.swift.o : /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/Utilities/Deprecated.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/KeyedCache/KeyedCache.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/KeyedCache/DatabaseKeyedCache.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/KeyedCache/DictionaryKeyedCache.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/KeyedCache/MemoryKeyedCache.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/ConnectionPool/DatabaseConnectionPoolCache.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/Connection/DatabaseStringFindable.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/Connection/DatabaseConnectable.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/Database/DatabaseQueryable.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/Utilities/URL+DatabaseName.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/Database/Database.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/Database/ConfiguredDatabase.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/Database/DatabaseConfig.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/ConnectionPool/DatabaseConnectionPoolConfig.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/KeyedCache/KeyedCacheSupporting.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/Log/LogSupporting.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/Log/DatabaseLog.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/ConnectionPool/Container+ConnectionPool.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/ConnectionPool/DatabaseConnectionPool.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/Connection/Container+CachedConnection.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/Connection/DatabaseConnection.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/Connection/Container+NewConnection.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/Service/DatabaseKitProvider.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/Log/DatabaseLogger.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/Database/DatabaseIdentifier.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/Log/DatabaseLogHandler.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/Log/PrintLogHandler.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/Utilities/DatabaseKitError.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/Database/Databases.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/Utilities/Exports.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/mu/Hello/.build/x86_64-apple-macosx/debug/NIO.swiftmodule /Users/mu/Hello/.build/x86_64-apple-macosx/debug/Async.swiftmodule /Users/mu/Hello/.build/x86_64-apple-macosx/debug/Service.swiftmodule /Users/mu/Hello/.build/x86_64-apple-macosx/debug/Core.swiftmodule /Users/mu/Hello/.build/x86_64-apple-macosx/debug/Debugging.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Users/mu/Hello/.build/x86_64-apple-macosx/debug/COperatingSystem.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Users/mu/Hello/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.swiftmodule /Users/mu/Hello/.build/x86_64-apple-macosx/debug/Bits.swiftmodule /Users/mu/Hello/.build/x86_64-apple-macosx/debug/NIOFoundationCompat.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/mu/Hello/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/cpp_magic.h /Users/mu/Hello/.build/checkouts/swift-nio/Sources/CNIOLinux/include/ifaddrs-android.h /Users/mu/Hello/.build/checkouts/swift-nio/Sources/CNIODarwin/include/CNIODarwin.h /Users/mu/Hello/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/CNIOAtomics.h /Users/mu/Hello/.build/checkouts/swift-nio/Sources/CNIOLinux/include/CNIOLinux.h /Users/mu/Hello/.build/x86_64-apple-macosx/debug/CNIOSHA1.build/module.modulemap /Users/mu/Hello/.build/x86_64-apple-macosx/debug/CNIOOpenSSL.build/module.modulemap /Users/mu/Hello/.build/x86_64-apple-macosx/debug/CCryptoOpenSSL.build/module.modulemap /Users/mu/Hello/.build/x86_64-apple-macosx/debug/CNIOZlib.build/module.modulemap /Users/mu/Hello/.build/x86_64-apple-macosx/debug/CNIODarwin.build/module.modulemap /Users/mu/Hello/.build/x86_64-apple-macosx/debug/CNIOHTTPParser.build/module.modulemap /Users/mu/Hello/.build/x86_64-apple-macosx/debug/CNIOAtomics.build/module.modulemap /Users/mu/Hello/.build/x86_64-apple-macosx/debug/CNIOLinux.build/module.modulemap /Users/mu/Hello/.build/checkouts/swift-nio-zlib-support/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/mu/Hello/.build/x86_64-apple-macosx/debug/DatabaseKit.build/ConnectionPool/Container+ConnectionPool~partial.swiftmodule : /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/Utilities/Deprecated.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/KeyedCache/KeyedCache.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/KeyedCache/DatabaseKeyedCache.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/KeyedCache/DictionaryKeyedCache.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/KeyedCache/MemoryKeyedCache.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/ConnectionPool/DatabaseConnectionPoolCache.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/Connection/DatabaseStringFindable.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/Connection/DatabaseConnectable.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/Database/DatabaseQueryable.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/Utilities/URL+DatabaseName.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/Database/Database.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/Database/ConfiguredDatabase.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/Database/DatabaseConfig.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/ConnectionPool/DatabaseConnectionPoolConfig.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/KeyedCache/KeyedCacheSupporting.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/Log/LogSupporting.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/Log/DatabaseLog.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/ConnectionPool/Container+ConnectionPool.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/ConnectionPool/DatabaseConnectionPool.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/Connection/Container+CachedConnection.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/Connection/DatabaseConnection.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/Connection/Container+NewConnection.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/Service/DatabaseKitProvider.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/Log/DatabaseLogger.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/Database/DatabaseIdentifier.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/Log/DatabaseLogHandler.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/Log/PrintLogHandler.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/Utilities/DatabaseKitError.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/Database/Databases.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/Utilities/Exports.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/mu/Hello/.build/x86_64-apple-macosx/debug/NIO.swiftmodule /Users/mu/Hello/.build/x86_64-apple-macosx/debug/Async.swiftmodule /Users/mu/Hello/.build/x86_64-apple-macosx/debug/Service.swiftmodule /Users/mu/Hello/.build/x86_64-apple-macosx/debug/Core.swiftmodule /Users/mu/Hello/.build/x86_64-apple-macosx/debug/Debugging.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Users/mu/Hello/.build/x86_64-apple-macosx/debug/COperatingSystem.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Users/mu/Hello/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.swiftmodule /Users/mu/Hello/.build/x86_64-apple-macosx/debug/Bits.swiftmodule /Users/mu/Hello/.build/x86_64-apple-macosx/debug/NIOFoundationCompat.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/mu/Hello/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/cpp_magic.h /Users/mu/Hello/.build/checkouts/swift-nio/Sources/CNIOLinux/include/ifaddrs-android.h /Users/mu/Hello/.build/checkouts/swift-nio/Sources/CNIODarwin/include/CNIODarwin.h /Users/mu/Hello/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/CNIOAtomics.h /Users/mu/Hello/.build/checkouts/swift-nio/Sources/CNIOLinux/include/CNIOLinux.h /Users/mu/Hello/.build/x86_64-apple-macosx/debug/CNIOSHA1.build/module.modulemap /Users/mu/Hello/.build/x86_64-apple-macosx/debug/CNIOOpenSSL.build/module.modulemap /Users/mu/Hello/.build/x86_64-apple-macosx/debug/CCryptoOpenSSL.build/module.modulemap /Users/mu/Hello/.build/x86_64-apple-macosx/debug/CNIOZlib.build/module.modulemap /Users/mu/Hello/.build/x86_64-apple-macosx/debug/CNIODarwin.build/module.modulemap /Users/mu/Hello/.build/x86_64-apple-macosx/debug/CNIOHTTPParser.build/module.modulemap /Users/mu/Hello/.build/x86_64-apple-macosx/debug/CNIOAtomics.build/module.modulemap /Users/mu/Hello/.build/x86_64-apple-macosx/debug/CNIOLinux.build/module.modulemap /Users/mu/Hello/.build/checkouts/swift-nio-zlib-support/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/mu/Hello/.build/x86_64-apple-macosx/debug/DatabaseKit.build/ConnectionPool/Container+ConnectionPool~partial.swiftdoc : /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/Utilities/Deprecated.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/KeyedCache/KeyedCache.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/KeyedCache/DatabaseKeyedCache.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/KeyedCache/DictionaryKeyedCache.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/KeyedCache/MemoryKeyedCache.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/ConnectionPool/DatabaseConnectionPoolCache.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/Connection/DatabaseStringFindable.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/Connection/DatabaseConnectable.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/Database/DatabaseQueryable.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/Utilities/URL+DatabaseName.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/Database/Database.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/Database/ConfiguredDatabase.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/Database/DatabaseConfig.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/ConnectionPool/DatabaseConnectionPoolConfig.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/KeyedCache/KeyedCacheSupporting.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/Log/LogSupporting.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/Log/DatabaseLog.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/ConnectionPool/Container+ConnectionPool.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/ConnectionPool/DatabaseConnectionPool.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/Connection/Container+CachedConnection.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/Connection/DatabaseConnection.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/Connection/Container+NewConnection.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/Service/DatabaseKitProvider.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/Log/DatabaseLogger.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/Database/DatabaseIdentifier.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/Log/DatabaseLogHandler.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/Log/PrintLogHandler.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/Utilities/DatabaseKitError.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/Database/Databases.swift /Users/mu/Hello/.build/checkouts/database-kit/Sources/DatabaseKit/Utilities/Exports.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/mu/Hello/.build/x86_64-apple-macosx/debug/NIO.swiftmodule /Users/mu/Hello/.build/x86_64-apple-macosx/debug/Async.swiftmodule /Users/mu/Hello/.build/x86_64-apple-macosx/debug/Service.swiftmodule /Users/mu/Hello/.build/x86_64-apple-macosx/debug/Core.swiftmodule /Users/mu/Hello/.build/x86_64-apple-macosx/debug/Debugging.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Users/mu/Hello/.build/x86_64-apple-macosx/debug/COperatingSystem.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Users/mu/Hello/.build/x86_64-apple-macosx/debug/NIOConcurrencyHelpers.swiftmodule /Users/mu/Hello/.build/x86_64-apple-macosx/debug/Bits.swiftmodule /Users/mu/Hello/.build/x86_64-apple-macosx/debug/NIOFoundationCompat.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/mu/Hello/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/cpp_magic.h /Users/mu/Hello/.build/checkouts/swift-nio/Sources/CNIOLinux/include/ifaddrs-android.h /Users/mu/Hello/.build/checkouts/swift-nio/Sources/CNIODarwin/include/CNIODarwin.h /Users/mu/Hello/.build/checkouts/swift-nio/Sources/CNIOAtomics/include/CNIOAtomics.h /Users/mu/Hello/.build/checkouts/swift-nio/Sources/CNIOLinux/include/CNIOLinux.h /Users/mu/Hello/.build/x86_64-apple-macosx/debug/CNIOSHA1.build/module.modulemap /Users/mu/Hello/.build/x86_64-apple-macosx/debug/CNIOOpenSSL.build/module.modulemap /Users/mu/Hello/.build/x86_64-apple-macosx/debug/CCryptoOpenSSL.build/module.modulemap /Users/mu/Hello/.build/x86_64-apple-macosx/debug/CNIOZlib.build/module.modulemap /Users/mu/Hello/.build/x86_64-apple-macosx/debug/CNIODarwin.build/module.modulemap /Users/mu/Hello/.build/x86_64-apple-macosx/debug/CNIOHTTPParser.build/module.modulemap /Users/mu/Hello/.build/x86_64-apple-macosx/debug/CNIOAtomics.build/module.modulemap /Users/mu/Hello/.build/x86_64-apple-macosx/debug/CNIOLinux.build/module.modulemap /Users/mu/Hello/.build/checkouts/swift-nio-zlib-support/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
D
import std.stdio; void main() {} ref int bump(ref int x) { return ++x; } unittest { int x=0; writeln( bump(bump(x)) ); // prints 2 }
D
instance BDT_1061_Wache (Npc_Default) { // ------ NSC ------ name = NAME_Wache; guild = GIL_BDT; id = 1061; voice = 1; flags = 0; npctype = NPCTYPE_MAIN; //--------Aivars----------- aivar[AIV_EnemyOverride] = TRUE; // ------ Attribute ------ B_SetAttributesToChapter (self, 2); // ------ Kampf-Taktik ------ fight_tactic = FAI_HUMAN_NORMAL; // ------ Equippte Waffen ------ EquipItem (self, ItMw_ShortSword2); // ------ Inventory ------ B_CreateAmbientInv (self); // ------ visuals ------ B_SetNpcVisual (self, MALE, "Hum_Head_Bald", Face_N_NormalBart17, BodyTex_N, ITAR_Leather_L); Mdl_SetModelFatness (self, -1); Mdl_ApplyOverlayMds (self, "Humans_Relaxed.mds"); // ------ NSC-relevante Talente vergeben ------ B_GiveNpcTalents (self); // ------ Kampf-Talente ------ B_SetFightSkills (self, 30); daily_routine = Rtn_Start_1061; }; // ------ TA ------ FUNC VOID RTn_Start_1061() { TA_Stand_Guarding (00,00,12,00,"NW_CASTLEMINE_PATH_02"); TA_Stand_Guarding (12,00,00,00,"NW_CASTLEMINE_PATH_02"); };
D
module UnrealScript.TribesGame.TrSettingsManager; import ScriptClasses; import UnrealScript.Helpers; import UnrealScript.TribesGame.TrRegionSettings; import UnrealScript.TribesGame.TrAudioSettings; import UnrealScript.TribesGame.TrKeyBindings; import UnrealScript.Core.UObject; import UnrealScript.TribesGame.TrHUDSettings; import UnrealScript.TribesGame.TrVideoSettings; import UnrealScript.TribesGame.GFxTrMenuMoviePlayer; import UnrealScript.TribesGame.TrControlSettings; extern(C++) interface TrSettingsManager : UObject { public extern(D): private static __gshared ScriptClass mStaticClass; @property final static ScriptClass StaticClass() { mixin(MGSCC("Class TribesGame.TrSettingsManager")); } private static __gshared TrSettingsManager mDefaultProperties; @property final static TrSettingsManager DefaultProperties() { mixin(MGDPC("TrSettingsManager", "TrSettingsManager TribesGame.Default__TrSettingsManager")); } static struct Functions { private static __gshared ScriptFunction mInitialize; public @property static final ScriptFunction Initialize() { mixin(MGF("mInitialize", "Function TribesGame.TrSettingsManager.Initialize")); } } @property final auto ref { TrRegionSettings RegionSettings() { mixin(MGPC("TrRegionSettings", 76)); } TrAudioSettings AudioSettings() { mixin(MGPC("TrAudioSettings", 68)); } TrControlSettings ControlSettings() { mixin(MGPC("TrControlSettings", 80)); } TrKeyBindings KeyBindings() { mixin(MGPC("TrKeyBindings", 64)); } TrHUDSettings HUDSettings() { mixin(MGPC("TrHUDSettings", 60)); } TrVideoSettings VideoSettings() { mixin(MGPC("TrVideoSettings", 72)); } GFxTrMenuMoviePlayer MP() { mixin(MGPC("GFxTrMenuMoviePlayer", 84)); } } final void Initialize() { (cast(ScriptObject)this).ProcessEvent(Functions.Initialize, cast(void*)0, cast(void*)0); } }
D
<?xml version="1.0" encoding="ASCII" standalone="no"?> <di:SashWindowsMngr xmlns:di="http://www.eclipse.org/papyrus/0.7.0/sashdi" xmlns:xmi="http://www.omg.org/XMI" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmi:version="2.0"> <pageList> <availablePage> <emfPageIdentifier href="VAR_10_BeT-7841939542.notation#_copSALmGEeKQQp7P9cQvNQ"/> </availablePage> </pageList> <sashModel currentSelection="//@sashModel/@windows.0/@children.0"> <windows> <children xsi:type="di:TabFolder"> <children> <emfPageIdentifier href="VAR_10_BeT-7841939542.notation#_copSALmGEeKQQp7P9cQvNQ"/> </children> </children> </windows> </sashModel> </di:SashWindowsMngr>
D
/*#D*/ // Copyright 2010-2017, Bernard Helyer. // SPDX-License-Identifier: BSL-1.0 module volta.token.lexer; import core.c.time : time, localtime; import watt.text.ascii : isDigit, isAlpha, isWhite; import watt.text.format : format; import watt.text.string : indexOf, endsWith; import watt.text.vdoc : cleanComment; import watt.conv : toInt; import watt.text.utf : encode; import volta.errors; import volta.ir.location : Location; import volta.token.source : Source, Mark; import volta.ir.token : Token, TokenType, identifierType; import volta.token.writer : TokenWriter; import volta.token.error; /*! * Tokenizes a source file. * * Side-effects: * Will advance the source loc, on success this will be EOF. * * Throws: * CompilerError on errors. * * Returns: * A `TokenWriter` filled with tokens. */ TokenWriter lex(Source source) { auto tw = new TokenWriter(source); if (lexMagicFlags(tw) == LexStatus.Failed) { errorMsg(source.errSink, /*#ref*/tw.source.loc, "bad magic flag (/*#... at the top of the file)."); return tw; } if ((tw.source.loc.filename.endsWith(".d") != 0 || tw.source.loc.filename.endsWith(".D") != 0) && !tw.magicFlagD) { errorMsg(source.errSink, /*#ref*/tw.source.loc, "volta will only compile a file with the extension '.d' if '/*#D*/' is at the top of the file."); return tw; } do { if (lexNext(tw)) { continue; } errorMsg(source.errSink, /*#ref*/tw.errors[0].loc, tw.errors[0].errorMessage()); return tw; } while (tw.lastAdded.type != TokenType.End); return tw; } private: /*! * Advance and return true if matched. Adds an error and returns false otherwise. * * Side-effects: * If @src.current and @c matches, advances source to next character. */ bool match(TokenWriter tw, dchar c) { dchar cur = tw.source.current; if (cur != c) { tw.errors ~= new LexerStringError(LexerError.Kind.Expected, tw.source.loc, cur, encode(c)); return false; } // Advance to the next character. tw.source.next(); return true; } /*! * Call match for every character in a given string. * Returns false if any match fails, true otherwise. * * Side-effects: * Same as calling match repeatedly. */ bool match(TokenWriter tw, string s) { foreach (dchar c; s) { if (!match(tw, c)) { return false; } } return true; } //! Returns true if something has been matched, false otherwise. No errors generated. bool matchIf(TokenWriter tw, dchar c) { if (tw.source.current == c) { tw.source.next(); return true; } else { return false; } } /*! * Add a LexFailed error with the given string. */ LexStatus lexFailed(TokenWriter tw, string s) { tw.errors ~= new LexerStringError(LexerError.Kind.LexFailed, tw.source.loc, tw.source.current, s); return Failed; } /*! * Add an Expected error with the given string. */ LexStatus lexExpected(TokenWriter tw, Location loc, string s) { tw.errors ~= new LexerStringError(LexerError.Kind.Expected, loc, tw.source.current, s); return Failed; } /*! * Calls lexExpected with tw.source.loc. */ LexStatus lexExpected(TokenWriter tw, string s) { return lexExpected(tw, tw.source.loc, s); } LexStatus lexUnsupported(TokenWriter tw, Location loc, string s) { tw.errors ~= new LexerStringError(LexerError.Kind.Unsupported, loc, tw.source.current, s); return Failed; } LexStatus lexUnsupported(TokenWriter tw, string s) { return lexUnsupported(tw, tw.source.loc, s); } LexStatus lexPanic(TokenWriter tw, Location loc, string msg) { panic(tw.source.errSink, /*#ref*/loc, msg); return Failed; } Token currentLocationToken(TokenWriter tw) { Token t; t.loc = tw.source.loc; return t; } bool ishex(dchar c) { return isDigit(c) || c >= 'A' && c <= 'F' || c >= 'a' && c <= 'f'; } bool isoctal(dchar c) { return c >= '0' && c <= '7'; } enum Position { Start, MiddleOrEnd } bool isdalpha(dchar c, Position position) { if (position == Position.Start) { return isAlpha(c) || c == '_'; } else { return isAlpha(c) || c == '_' || isDigit(c); } } LexStatus lexNext(TokenWriter tw) { auto type = nextLex(tw); final switch (type) with (NextLex) { case Identifier: return lexIdentifier(tw); case CharacterLiteral: return lexCharacter(tw); case StringLiteral: return lexString(tw); case Symbol: return lexSymbol(tw); case Number: return lexNumber(tw); case End: return lexEOF(tw); } } enum NextLex { Identifier, CharacterLiteral, StringLiteral, Symbol, Number, End, } //! Return which TokenType to try and lex next. NextLex nextLex(TokenWriter tw) { tw.source.skipWhitespace(); if (tw.source.eof) { return NextLex.End; } if (isAlpha(tw.source.current) || tw.source.current == '_') { bool lookaheadEOF; if (tw.source.current == 'r' || tw.source.current == 'q' || tw.source.current == 'x') { dchar oneAhead = tw.source.lookahead(1, /*#out*/lookaheadEOF); if (oneAhead == '"') { return NextLex.StringLiteral; } else if (tw.source.current == 'q' && oneAhead == '{') { return NextLex.StringLiteral; } } return NextLex.Identifier; } if (tw.source.current == '\'') { return NextLex.CharacterLiteral; } if (tw.source.current == '"' || tw.source.current == '`') { return NextLex.StringLiteral; } if (isDigit(tw.source.current)) { return NextLex.Number; } return NextLex.Symbol; } void addIfDocComment(TokenWriter tw, Token commentToken, string s, string docsignifier) { if ((tw.noDoc || s.length <= 2 || s[0 .. 2] != docsignifier)) { return; } bool isBackwardsComment; if (s.indexOf("@}") < 0) { commentToken.value = cleanComment( s, /*#out*/isBackwardsComment); } else { commentToken.value = "@}"; } commentToken.type = isBackwardsComment ? TokenType.BackwardsDocComment : TokenType.DocComment; tw.addToken(commentToken); } LexStatus skipLineComment(TokenWriter tw) { auto commentToken = currentLocationToken(tw); auto mark = tw.source.save(); if (!match(tw, '/')) { return lexPanic(tw, tw.source.loc, "expected '/'"); } tw.source.skipEndOfLine(); addIfDocComment(tw, commentToken, tw.source.sliceFrom(mark), "/!"); return Succeeded; } LexStatus skipBlockComment(TokenWriter tw) { auto commentToken = currentLocationToken(tw); auto mark = tw.source.save(); bool looping = true; while (looping) { if (tw.source.eof) { return lexExpected(tw, "end of block comment"); } if (matchIf(tw, '/')) { if (tw.source.current == '*') { warning(/*#ref*/tw.source.loc, "'/*' inside of block comment."); } } else if (matchIf(tw, '*')) { if (matchIf(tw, '/')) { looping = false; } } else { tw.source.next(); } } addIfDocComment(tw, commentToken, tw.source.sliceFrom(mark), "*!"); return Succeeded; } LexStatus skipNestingComment(TokenWriter tw) { auto commentToken = currentLocationToken(tw); auto mark = tw.source.save(); int depth = 1; while (depth > 0) { if (tw.source.eof) { return lexExpected(tw, "end of nested comment"); } if (matchIf(tw, '+')) { if (matchIf(tw, '/')) { depth--; } } else if (matchIf(tw, '/')) { if (tw.source.current == '+') { depth++; } } else { tw.source.next(); } } addIfDocComment(tw, commentToken, tw.source.sliceFrom(mark), "+!"); return Succeeded; } LexStatus lexEOF(TokenWriter tw) { if (!tw.source.eof) { return lexFailed(tw, "eof"); } auto eof = currentLocationToken(tw); eof.type = TokenType.End; eof.value = "EOF"; tw.addToken(eof); return Succeeded; } // This is a bit of a dog's breakfast. LexStatus lexIdentifier(TokenWriter tw) { assert(isAlpha(tw.source.current) || tw.source.current == '_' || tw.source.current == '@'); auto identToken = currentLocationToken(tw); Mark m = tw.source.save(); tw.source.next(); while (isAlpha(tw.source.current) || isDigit(tw.source.current) || tw.source.current == '_') { tw.source.next(); if (tw.source.eof) break; } identToken.value = tw.source.sliceFrom(m); if (identToken.value.length == 0) { return lexPanic(tw, identToken.loc, "empty identifier string."); } if (identToken.value[0] == '@') { auto i = identifierType(identToken.value); if (i == TokenType.Identifier) { return lexExpected(tw, identToken.loc, "@attribute"); } } auto succeeded = lexSpecialToken(tw, identToken); if (succeeded) { return Succeeded; } tw.errors = null; identToken.type = identifierType(identToken.value); tw.addToken(identToken); return Succeeded; } LexStatus lexSpecialToken(TokenWriter tw, Token token) { const string[12] months = ["Jan", "Feb", "Mar", "Apr", "May", "Jun", "Jul", "Aug", "Sep", "Oct", "Nov", "Dec"]; const string[7] days = ["Sun", "Mon", "Tue", "Wed", "Thu", "Fri", "Sat"]; switch(token.value) { case "__DATE__": auto thetime = time(null); auto tm = localtime(&thetime); token.type = TokenType.StringLiteral; token.value = format(`"%s %02s %s"`, months[tm.tm_mon], tm.tm_mday, 1900 + tm.tm_year); tw.addToken(token); return Succeeded; case "__EOF__": tw.source.eof = true; return Succeeded; case "__TIME__": auto thetime = time(null); auto tm = localtime(&thetime); token.type = TokenType.StringLiteral; token.value = format(`"%02s:%02s:%02s"`, tm.tm_hour, tm.tm_min, tm.tm_sec); tw.addToken(token); return Succeeded; case "__TIMESTAMP__": auto thetime = time(null); auto tm = localtime(&thetime); token.type = TokenType.StringLiteral; token.value = format(`"%s %s %02s %02s:%02s:%02s %s"`, days[tm.tm_wday], months[tm.tm_mon], tm.tm_mday, tm.tm_hour, tm.tm_min, tm.tm_sec, 1900 + tm.tm_year); tw.addToken(token); return Succeeded; case "__VENDOR__": token.type = TokenType.StringLiteral; token.value = "N/A"; tw.addToken(token); return Succeeded; case "__VERSION__": token.type = TokenType.IntegerLiteral; token.value = "N/A"; tw.addToken(token); return Succeeded; default: return lexFailed(tw, "special token"); } } LexStatus lexSymbol(TokenWriter tw) { switch (tw.source.current) { case '/': return lexSlash(tw); case '.': return lexDot(tw); case '&': return lexSymbolOrSymbolAssignOrDoubleSymbol(tw, '&', TokenType.Ampersand, TokenType.AmpersandAssign, TokenType.DoubleAmpersand); case '|': return lexSymbolOrSymbolAssignOrDoubleSymbol(tw, '|', TokenType.Pipe, TokenType.PipeAssign, TokenType.DoublePipe); case '-': return lexSymbolOrSymbolAssignOrDoubleSymbol(tw, '-', TokenType.Dash, TokenType.DashAssign, TokenType.DoubleDash); case '+': return lexSymbolOrSymbolAssignOrDoubleSymbol(tw, '+', TokenType.Plus, TokenType.PlusAssign, TokenType.DoublePlus); case '<': return lexLess(tw); case '>': return lexGreater(tw); case '!': return lexBang(tw); case '(': return lexSingleSymbol(tw, '(', TokenType.OpenParen); case ')': return lexSingleSymbol(tw, ')', TokenType.CloseParen); case '[': return lexSingleSymbol(tw, '[', TokenType.OpenBracket); case ']': return lexSingleSymbol(tw, ']', TokenType.CloseBracket); case '{': return lexSingleSymbol(tw, '{', TokenType.OpenBrace); case '}': return lexSingleSymbol(tw, '}', TokenType.CloseBrace); case '?': return lexSingleSymbol(tw, '?', TokenType.QuestionMark); case ',': return lexSingleSymbol(tw, ',', TokenType.Comma); case ';': return lexSingleSymbol(tw, ';', TokenType.Semicolon); case ':': return lexSymbolOrSymbolAssign(tw, ':', TokenType.Colon, TokenType.ColonAssign); case '$': return lexSingleSymbol(tw, '$', TokenType.Dollar); case '@': return lexSingleSymbol(tw, '@', TokenType.At); case '=': return lexSymbolOrSymbolAssign(tw, '=', TokenType.Assign, TokenType.DoubleAssign); case '*': return lexSymbolOrSymbolAssign(tw, '*', TokenType.Asterix, TokenType.AsterixAssign); case '%': return lexSymbolOrSymbolAssign(tw, '%', TokenType.Percent, TokenType.PercentAssign); case '^': return lexCaret(tw); case '~': return lexSymbolOrSymbolAssign(tw, '~', TokenType.Tilde, TokenType.TildeAssign); case '#': return lexHashLine(tw); default: return lexFailed(tw, "symbol"); } } LexStatus lexSingleSymbol(TokenWriter tw, dchar c, TokenType symbol) { auto token = currentLocationToken(tw); auto mark = tw.source.save(); if (!match(tw, c)) { return Failed; } token.type = symbol; token.value = tw.source.sliceFrom(mark); tw.addToken(token); return Succeeded; } LexStatus lexSymbolOrSymbolAssign(TokenWriter tw, dchar c, TokenType symbol, TokenType symbolAssign) { auto token = currentLocationToken(tw); auto mark = tw.source.save(); auto type = symbol; if (!match(tw, c)) { return Failed; } if (matchIf(tw, '=')) { type = symbolAssign; } token.type = type; token.value = tw.source.sliceFrom(mark); tw.addToken(token); return Succeeded; } LexStatus lexSymbolOrSymbolAssignOrDoubleSymbol(TokenWriter tw, dchar c, TokenType symbol, TokenType symbolAssign, TokenType doubleSymbol) { auto token = currentLocationToken(tw); auto mark = tw.source.save(); auto type = symbol; if (!match(tw, c)) { return Failed; } if (matchIf(tw, '=')) { type = symbolAssign; } else if (matchIf(tw, c)) { type = doubleSymbol; } token.type = type; token.value = tw.source.sliceFrom(mark); tw.addToken(token); return Succeeded; } LexStatus lexCaret(TokenWriter tw) { auto token = currentLocationToken(tw); auto mark = tw.source.save(); token.type = TokenType.Caret; if (!match(tw, '^')) { return Failed; } if (matchIf(tw, '=')) { token.type = TokenType.CaretAssign; } else if (matchIf(tw, '^')) { if (matchIf(tw, '=')) { token.type = TokenType.DoubleCaretAssign; } else { token.type = TokenType.DoubleCaret; } } token.value = tw.source.sliceFrom(mark); tw.addToken(token); return Succeeded; } LexStatus lexSlash(TokenWriter tw) { auto token = currentLocationToken(tw); auto mark = tw.source.save(); auto type = TokenType.Slash; if (!match(tw, '/')) { return Failed; } switch (tw.source.current) { case '=': if (!match(tw, '=')) { return Failed; } type = TokenType.SlashAssign; break; case '/': return skipLineComment(tw); case '*': auto status = lexMagicToken(tw); if (status != NotPresent) { return status; } return skipBlockComment(tw); case '+': return skipNestingComment(tw); default: break; } token.type = type; token.value = tw.source.sliceFrom(mark); tw.addToken(token); return Succeeded; } LexStatus lexMagicToken(TokenWriter tw) { bool eof; auto token = currentLocationToken(tw); if (tw.source.lookahead(1, /*#out*/eof) != '#') { return NotPresent; } tw.source.next(); auto mark = tw.source.save(); while (tw.source.current != '*' && !tw.source.eof) { tw.source.next(); } auto tokenstr = tw.source.sliceFrom(mark); switch (tokenstr) { case "#ref": token.type = TokenType.Ref; token.value = "ref"; break; case "#out": token.type = TokenType.Out; token.value = "out"; break; case "#global": token.type = TokenType.Global; token.value = "global"; break; case "#local": token.type = TokenType.Local; token.value = "local"; break; default: tw.errors ~= new LexerStringError(LexerError.Kind.String, token.loc, tw.source.current,format("bad magical token (/*#...*/) '%s'.", tokenstr)); return Failed; } if (!match(tw, "*/")) { return Failed; } if (!tw.magicFlagD) { tw.errors ~= new LexerStringError(LexerError.Kind.String, token.loc,tw.source.current, "expected '/*#D*/' at the top of the file to turn on magical tokens."); return Failed; } tw.addToken(token); return Succeeded; } LexStatus lexDot(TokenWriter tw) { auto token = currentLocationToken(tw); auto mark = tw.source.save(); auto type = TokenType.Dot; if (!match(tw, '.')) { return Failed; } switch (tw.source.current) { case '.': if (!match(tw, '.')) { return Failed; } if (matchIf(tw, '.')) { type = TokenType.TripleDot; } else { type = TokenType.DoubleDot; } break; default: break; } token.type = type; token.value = tw.source.sliceFrom(mark); tw.addToken(token); return Succeeded; } LexStatus lexLess(TokenWriter tw) { auto token = currentLocationToken(tw); auto mark = tw.source.save(); token.type = TokenType.Less; if (!match(tw, '<')) { return Failed; } if (matchIf(tw, '=')) { token.type = TokenType.LessAssign; } else if (matchIf(tw, '<')) { if (matchIf(tw, '=')) { token.type = TokenType.DoubleLessAssign; } else { token.type = TokenType.DoubleLess; } } else if (matchIf(tw, '>')) { if (matchIf(tw, '=')) { token.type = TokenType.LessGreaterAssign; } else { token.type = TokenType.LessGreater; } } token.value = tw.source.sliceFrom(mark); tw.addToken(token); return Succeeded; } LexStatus lexGreater(TokenWriter tw) { auto token = currentLocationToken(tw); auto mark = tw.source.save(); token.type = TokenType.Greater; if (!match(tw, '>')) { return Failed; } if (matchIf(tw, '=')) { token.type = TokenType.GreaterAssign; } else if (matchIf(tw, '>')) { if (matchIf(tw, '=')) { token.type = TokenType.DoubleGreaterAssign; } else if (matchIf(tw, '>')) { if (matchIf(tw, '=')) { token.type = TokenType.TripleGreaterAssign; } else { token.type = TokenType.TripleGreater; } } else { token.type = TokenType.DoubleGreater; } } token.value = tw.source.sliceFrom(mark); tw.addToken(token); return Succeeded; } LexStatus lexBang(TokenWriter tw) { auto token = currentLocationToken(tw); auto mark = tw.source.save(); token.type = TokenType.Bang; if (!match(tw, '!')) { return Failed; } if (matchIf(tw, '=')) { token.type = TokenType.BangAssign; } else if (matchIf(tw, '>')) { if (tw.source.current == '=') { token.type = TokenType.BangGreaterAssign; } else { token.type = TokenType.BangGreater; } } else if (matchIf(tw, '<')) { if (matchIf(tw, '>')) { if (matchIf(tw, '=')) { token.type = TokenType.BangLessGreaterAssign; } else { token.type = TokenType.BangLessGreater; } } else if (matchIf(tw, '=')) { token.type = TokenType.BangLessAssign; } else { token.type = TokenType.BangLess; } } token.value = tw.source.sliceFrom(mark); tw.addToken(token); return Succeeded; } // Escape sequences are not expanded inside of the lexer. LexStatus lexCharacter(TokenWriter tw) { auto token = currentLocationToken(tw); auto mark = tw.source.save(); if (!match(tw, '\'')) { return Failed; } while (tw.source.current != '\'') { if (tw.source.eof) { return lexExpected(tw, token.loc, "`'`"); } if (matchIf(tw, '\\')) { tw.source.next(); } else { tw.source.next(); } } if (!match(tw, '\'')) { return Failed; } token.type = TokenType.CharacterLiteral; token.value = tw.source.sliceFrom(mark); if (token.value.length > 4 && token.value[0 .. 3] == "'\\0") { return lexUnsupported(tw, token.loc, "octal char literals"); } tw.addToken(token); return Succeeded; } LexStatus lexString(TokenWriter tw) { auto token = currentLocationToken(tw); auto mark = tw.source.save(); dchar terminator; bool raw; bool postfix = true; if (matchIf(tw, 'r')) { raw = true; terminator = '"'; } else if (tw.source.current == 'q') { return lexQString(tw); } else if (matchIf(tw, 'x')) { raw = false; terminator = '"'; } else if (tw.source.current == '`') { raw = true; terminator = '`'; } else if (tw.source.current == '"') { raw = false; terminator = '"'; } else { return lexFailed(tw, "string"); } if (!match(tw, terminator)) { return Failed; } while (tw.source.current != terminator) { if (tw.source.eof) { return lexExpected(tw, token.loc, "string literal terminator"); } if (!raw && matchIf(tw, '\\')) { tw.source.next(); } else { tw.source.next(); } } if (!match(tw, terminator)) { return Failed; } dchar postfixc = tw.source.current; if ((postfixc == 'c' || postfixc == 'w' || postfixc == 'd') && postfix) { if (!match(tw, postfixc)) { return Failed; } } token.type = TokenType.StringLiteral; token.value = tw.source.sliceFrom(mark); tw.addToken(token); return Succeeded; } LexStatus lexQString(TokenWriter tw) { auto token = currentLocationToken(tw); token.type = TokenType.StringLiteral; auto mark = tw.source.save(); bool leof; if (tw.source.lookahead(1, /*#out*/leof) == '{') { return lexTokenString(tw); } if (!match(tw, "q\"")) { return Failed; } dchar opendelimiter, closedelimiter; bool nesting = true; string identdelim = null; switch (tw.source.current) { case '[': opendelimiter = '['; closedelimiter = ']'; break; case '(': opendelimiter = '('; closedelimiter = ')'; break; case '<': opendelimiter = '<'; closedelimiter = '>'; break; case '{': opendelimiter = '{'; closedelimiter = '}'; break; default: nesting = false; if (isdalpha(tw.source.current, Position.Start)) { char[] buf; encode(/*#ref*/buf, tw.source.current); tw.source.next(); while (isdalpha(tw.source.current, Position.MiddleOrEnd)) { encode(/*#ref*/buf, tw.source.current); tw.source.next(); } if (!match(tw, '\n')) { return Failed; } version (Volt) { identdelim = cast(string)new buf[0 .. $]; } else { identdelim = buf.idup; } } else { opendelimiter = tw.source.current; closedelimiter = tw.source.current; } } if (identdelim is null && !match(tw, opendelimiter)) { return Failed; } int nest = 1; while (true) { if (tw.source.eof) { return lexExpected(tw, token.loc, "string literal terminator"); } if (matchIf(tw, opendelimiter)) { nest++; } else if (matchIf(tw, closedelimiter)) { nest--; if (nest == 0) { if (!match(tw, '"')) { return Failed; } } } else { tw.source.next(); } // Time to quit? if (nesting && nest <= 0) { break; } else if (identdelim !is null && tw.source.current == '\n') { size_t look = 1; bool restart; while (look - 1 < identdelim.length) { dchar c = tw.source.lookahead(look, /*#out*/leof); if (leof) { return lexExpected(tw, token.loc, "string literal terminator"); } if (c != identdelim[look - 1]) { restart = true; break; } look++; } if (restart) { continue; } for (int i; 0 < look; i++) { tw.source.next(); } if (!match(tw, '"')) { return Failed; } break; } else if (matchIf(tw, closedelimiter)) { if (!match(tw, '"')) { return Failed; } break; } } token.value = tw.source.sliceFrom(mark); tw.addToken(token); return Succeeded; } LexStatus lexTokenString(TokenWriter tw) { auto token = currentLocationToken(tw); token.type = TokenType.StringLiteral; auto mark = tw.source.save(); if (!match(tw, "q{")) { return Failed; } auto dummystream = new TokenWriter(tw.source); int nest = 1; while (nest > 0) { auto succeeded = lexNext(dummystream); if (!succeeded) { return lexExpected(tw, "token"); } switch (dummystream.lastAdded.type) { case TokenType.OpenBrace: nest++; break; case TokenType.CloseBrace: nest--; break; case TokenType.End: return lexExpected(tw, "end of token string literal"); default: break; } } token.value = tw.source.sliceFrom(mark); tw.addToken(token); return Succeeded; } /*! * Consume characters from the source from the characters array until you can't. * Returns: the number of characters consumed, not counting underscores. */ size_t consume(Source src, scope const(dchar)[] characters...) { size_t consumed; static bool isIn(scope const(dchar)[] chars, dchar arg) { foreach (dchar c; chars) { if (c == arg) return true; } return false; } while (isIn(characters, src.current)) { if (src.current != '_') consumed++; src.next(); } return consumed; } /*! * Lex an integer literal and add the resulting token to tw. * If it detects the number is floating point, it will call lexReal directly. */ LexStatus lexNumber(TokenWriter tw) { auto token = currentLocationToken(tw); auto src = new Source(tw.source); auto mark = src.save(); bool tmp; bool hex; if (src.current == '0') { src.next(); if (src.current == 'b' || src.current == 'B') { // Binary literal. src.next(); auto consumed = consume(src, '0', '1', '_'); if (consumed == 0) { return lexExpected(tw, src.loc, "binary digit"); } } else if (src.current == 'x' || src.current == 'X') { // Hexadecimal literal. src.next(); hex = true; if (src.current == '.' || src.current == 'p' || src.current == 'P') return lexReal(tw); auto consumed = consume(src, '0', '1', '2', '3', '4', '5', '6', '7', '8', '9', 'a', 'b', 'c', 'd', 'e', 'f', 'A', 'B', 'C', 'D', 'E', 'F', '_'); if ((src.current == '.' && src.lookahead(1, /*#out*/tmp) != '.') || src.current == 'p' || src.current == 'P') return lexReal(tw); if (consumed == 0) { return lexExpected(tw, src.loc, "hexadecimal digit"); } } else if (src.current == '1' || src.current == '2' || src.current == '3' || src.current == '4' || src.current == '5' || src.current == '6' || src.current == '7') { /* This used to be an octal literal, which are gone. * DMD treats this as an error, so we do too. */ return lexUnsupported(tw, src.loc, "octal literals"); } else if (src.current == 'f' || src.current == 'F' || (src.current == '.' && src.lookahead(1, /*#out*/tmp) != '.')) { return lexReal(tw); } } else if (src.current == '1' || src.current == '2' || src.current == '3' || src.current == '4' || src.current == '5' || src.current == '6' || src.current == '7' || src.current == '8' || src.current == '9') { src.next(); if (src.current == '.' && src.lookahead(1, /*#out*/tmp) != '.') return lexReal(tw); consume(src, '0', '1', '2', '3', '4', '5', '6', '7', '8', '9', '_'); if (src.current == '.' && src.lookahead(1, /*#out*/tmp) != '.') return lexReal(tw); } else { return lexExpected(tw, src.loc, "integer literal"); } if (src.current == 'f' || src.current == 'F' || src.current == 'e' || src.current == 'E') { return lexReal(tw); } tw.source.sync(src); bool dummy; auto _1 = tw.source.current; auto _2 = tw.source.lookahead(1, /*#out*/dummy); if ((_1 == 'i' || _1 == 'u') && isDigit(_2)) { tw.source.next(); // i/u if (isDigit(tw.source.current)) tw.source.next(); if (isDigit(tw.source.current)) tw.source.next(); } else if (tw.source.current == 'U' || tw.source.current == 'u') { tw.source.next(); if (tw.source.current == 'L') tw.source.next(); } else if (tw.source.current == 'L') { tw.source.next(); if (tw.source.current == 'U' || tw.source.current == 'u') { tw.source.next(); } } token.type = TokenType.IntegerLiteral; token.value = tw.source.sliceFrom(mark); tw.addToken(token); return Succeeded; } //! Lex a floating literal and add the resulting token to tw. LexStatus lexReal(TokenWriter tw) { auto token = currentLocationToken(tw); auto mark = tw.source.save(); bool skipRealPrologue; LexStatus stop() { token.type = TokenType.FloatLiteral; token.value = tw.source.sliceFrom(mark); tw.addToken(token); return Succeeded; } if (tw.source.current == '.') { // .n tw.source.next(); if (!isDigit(tw.source.current)) { return lexExpected(tw, "digit after decimal point"); } tw.source.next(); consume(tw.source, '0', '1', '2', '3', '4', '5', '6', '7', '8', '9', '_'); if (tw.source.current == 'L' || tw.source.current == 'f' || tw.source.current == 'F') { tw.source.next(); return stop(); } } else if (tw.source.current == '0') { tw.source.next(); if (tw.source.current == 'x' || tw.source.current == 'X') { // 0xnP+ tw.source.next(); auto consumed = consume(tw.source, '0', '1', '2', '3', '4', '5', '6', '7', '8', '9', 'a', 'b', 'c', 'd', 'e', 'f', 'A', 'B', 'C', 'D', 'E', 'F', '_'); if (consumed == 0) { return lexExpected(tw, "hexadecimal digit"); } if (tw.source.current == 'p' || tw.source.current == 'P') { tw.source.next(); if (tw.source.current == '+' || tw.source.current == '-') { tw.source.next(); } skipRealPrologue = true; } else { return lexExpected(tw, "exponent"); } } else { // 0.n bool skipDecimalPrologue = false; if (tw.source.current == '.') skipDecimalPrologue = true; if (skipDecimalPrologue || (tw.source.current != '0' && (isDigit(tw.source.current) || tw.source.current == '_'))) { if (!skipDecimalPrologue) { tw.source.next(); consume(tw.source, '0', '1', '2', '3', '4', '5', '6', '7', '8', '9', '_'); } if (!match(tw, '.')) { return Failed; } consume(tw.source, '0', '1', '2', '3', '4', '5', '6', '7', '8', '9', '_'); if (tw.source.current == 'L' || tw.source.current == 'f' || tw.source.current == 'F') { tw.source.next(); return stop(); } } else { return lexExpected(tw, "non-zero digit, '_', or decimal point"); } } } else if (isDigit(tw.source.current)) { // n.n consume(tw.source, '0', '1', '2', '3', '4', '5', '6', '7', '8', '9', '_'); if (!match(tw, '.')) { return Failed; } consume(tw.source, '0', '1', '2', '3', '4', '5', '6', '7', '8', '9', '_'); if (tw.source.current == 'L' || tw.source.current == 'f' || tw.source.current == 'F') { tw.source.next(); return stop(); } } else { return lexExpected(tw, "floating point literal"); } if (tw.source.current == 'e' || tw.source.current == 'E' || skipRealPrologue) { if (!skipRealPrologue) { tw.source.next(); if (tw.source.current == '+' || tw.source.current == '-') { tw.source.next(); } } if (!isDigit(tw.source.current)) { return lexExpected(tw, "digit"); } consume(tw.source, '0', '1', '2', '3', '4', '5', '6', '7', '8', '9', '_'); if (tw.source.current == 'L' || tw.source.current == 'f' || tw.source.current == 'F') { tw.source.next(); } } return stop(); } // Lex magical flags (/*#TheseThings*/) until we're not at a magical flag. LexStatus lexMagicFlags(TokenWriter tw) { LexStatus status; do { tw.source.skipWhitespace(); status = lexMagicalFlag(tw); } while (status == Succeeded); return status; } // Lex one magical flag, fail, or return NotPresent if we're not at a flag. LexStatus lexMagicalFlag(TokenWriter tw) { bool eofa, eofb, eofc; if (tw.source.lookahead(0, /*#out*/eofa) != '/' || tw.source.lookahead(1, /*#out*/eofb) != '*' || tw.source.lookahead(2, /*#out*/eofc) != '#' || eofa || eofb || eofc) { return NotPresent; } foreach (i; 0 .. 3) { tw.source.next(); } Mark m = tw.source.save(); while (tw.source.current != '*' && !tw.source.eof) { tw.source.next(); } auto flag = tw.source.sliceFrom(m); switch (flag) { case "D": tw.magicFlagD = true; break; default: return Failed; } if (!match(tw, "*/")) { return Failed; } return Succeeded; } LexStatus lexHashLine(TokenWriter tw) { auto token = currentLocationToken(tw); if (!match(tw, '#')) { return Failed; } if (match(tw, "run")) { if (!isWhite(tw.source.current)) { return lexExpected(tw, token.loc, "#run"); } token.type = TokenType.HashRun; token.value = "#run"; tw.addToken(token); return Succeeded; } if (match(tw, "nodoc")) { tw.noDoc = true; return Succeeded; } if (!match(tw, "line")) { return Failed; } tw.source.skipWhitespace(); if (!lexNumber(tw)) { return Failed; } Token Int = tw.lastAdded; if (Int.type != TokenType.IntegerLiteral) { return lexExpected(tw, Int.loc, "integer literal"); } int lineNumber = toInt(Int.value); tw.pop(); tw.source.skipWhitespace(); // Why yes, these do use a magical kind of string literal. Thanks for noticing! >_< if (!match(tw, '"')) { return Failed; } char[] buf; while (tw.source.current != '"') { encode(/*#ref*/buf, tw.source.next()); } if (!match(tw, '"')) { return Failed; } string filename = cast(string)buf; assert(lineNumber >= 0); if (lineNumber == 0) { return lexExpected(tw, "line number greater than zero"); } tw.source.changeCurrentLocation(filename, cast(uint)lineNumber); tw.source.skipWhitespace(); return Succeeded; }
D
extern (C) int printf(const(char*) fmt, ...); import core.vararg; struct Tup(T...) { T field; alias field this; bool opEquals(const Tup rhs) const { foreach (i, _; T) if (field[i] != rhs.field[i]) return false; return true; } } Tup!T tup(T...)(T fields) { return typeof(return)(fields); } template Seq(T...) { alias T Seq; } /**********************************************/ struct S { int x; alias x this; } int foo(int i) { return i * 2; } void test1() { S s; s.x = 7; int i = -s; assert(i == -7); i = s + 8; assert(i == 15); i = s + s; assert(i == 14); i = 9 + s; assert(i == 16); i = foo(s); assert(i == 14); } /**********************************************/ class C { int x; alias x this; } void test2() { C s = new C(); s.x = 7; int i = -s; assert(i == -7); i = s + 8; assert(i == 15); i = s + s; assert(i == 14); i = 9 + s; assert(i == 16); i = foo(s); assert(i == 14); } /**********************************************/ void test3() { Tup!(int, double) t; t[0] = 1; t[1] = 1.1; assert(t[0] == 1); assert(t[1] == 1.1); printf("%d %g\n", t[0], t[1]); } /**********************************************/ struct Iter { bool empty() { return true; } void popFront() { } ref Tup!(int, int) front() { return *new Tup!(int, int); } ref Iter opSlice() { return this; } } void test4() { foreach (a; Iter()) { } } /**********************************************/ void test5() { static struct Double1 { double val = 1; alias val this; } static Double1 x() { return Double1(); } x()++; } /**********************************************/ // 4617 struct S4617 { struct F { int square(int n) { return n*n; } real square(real n) { return n*n; } } F forward; alias forward this; alias forward.square sqr; // okay int field; void mfunc(); template Templ(){} void tfunc()(){} } template Id4617(alias k) { alias k Id4617; } void test4617a() { alias Id4617!(S4617.square) test1; //NG alias Id4617!(S4617.forward.square) test2; //OK alias Id4617!(S4617.sqr) test3; //okay static assert(__traits(isSame, S4617.square, S4617.forward.square)); } void test4617b() { static struct Sub(T) { T value; @property ref inout(T) payload() inout { return value; } alias payload this; } alias Id4617!(S4617.field) S_field; alias Id4617!(S4617.mfunc) S_mfunc; alias Id4617!(S4617.Templ) S_Templ; alias Id4617!(S4617.tfunc) S_tfunc; alias Sub!S4617 T4617; alias Id4617!(T4617.field) R_field; alias Id4617!(T4617.mfunc) R_mfunc; alias Id4617!(T4617.Templ) R_Templ; alias Id4617!(T4617.tfunc) R_tfunc; static assert(__traits(isSame, R_field, S_field)); static assert(__traits(isSame, R_mfunc, S_mfunc)); static assert(__traits(isSame, R_Templ, S_Templ)); static assert(__traits(isSame, R_tfunc, S_tfunc)); alias Id4617!(T4617.square) R_sqr; static assert(__traits(isSame, R_sqr, S4617.forward.square)); } /**********************************************/ // 4773 void test4773() { struct Rebindable { Object obj; @property const(Object) get(){ return obj; } alias get this; } Rebindable r; if (r) assert(0); r.obj = new Object; if (!r) assert(0); } /**********************************************/ // 5188 void test5188() { struct S { int v = 10; alias v this; } S s; assert(s <= 20); assert(s != 14); } /***********************************************/ struct Foo { void opIndexAssign(int x, size_t i) { val = x; } void opSliceAssign(int x, size_t a, size_t b) { val = x; } int val; } struct Bar { Foo foo; alias foo this; } void test6() { Bar b; b[0] = 1; assert(b.val == 1); b[0 .. 1] = 2; assert(b.val == 2); } /**********************************************/ // recursive alias this detection class C0 {} class C1 { C2 c; alias c this; } class C2 { C1 c; alias c this; } class C3 { C2 c; alias c this; } struct S0 {} struct S1 { S2* ps; @property ref get(){return *ps;} alias get this; } struct S2 { S1* ps; @property ref get(){return *ps;} alias get this; } struct S3 { S2* ps; @property ref get(){return *ps;} alias get this; } struct S4 { S5* ps; @property ref get(){return *ps;} alias get this; } struct S5 { S4* ps; @property ref get(){return *ps;} alias get this; } struct S6 { S5* ps; @property ref get(){return *ps;} alias get this; } void test7() { // Able to check a type is implicitly convertible within a finite time. static assert(!is(C1 : C0)); static assert( is(C2 : C1)); static assert( is(C1 : C2)); static assert(!is(C3 : C0)); static assert( is(C3 : C1)); static assert( is(C3 : C2)); static assert(!is(S1 : S0)); static assert( is(S2 : S1)); static assert( is(S1 : S2)); static assert(!is(S3 : S0)); static assert( is(S3 : S1)); static assert( is(S3 : S2)); C0 c0; C1 c1; C3 c3; S0 s0; S1 s1; S3 s3; S4 s4; S6 s6; // Allow merging types that contains alias this recursion. static assert( __traits(compiles, c0 is c1)); // typeMerge(c || c) e2->implicitConvTo(t1); static assert( __traits(compiles, c0 is c3)); // typeMerge(c || c) e2->implicitConvTo(t1); static assert( __traits(compiles, c1 is c0)); // typeMerge(c || c) e1->implicitConvTo(t2); static assert( __traits(compiles, c3 is c0)); // typeMerge(c || c) e1->implicitConvTo(t2); static assert(!__traits(compiles, s1 is c0)); // typeMerge(c || c) e1 static assert(!__traits(compiles, s3 is c0)); // typeMerge(c || c) e1 static assert(!__traits(compiles, c0 is s1)); // typeMerge(c || c) e2 static assert(!__traits(compiles, c0 is s3)); // typeMerge(c || c) e2 static assert(!__traits(compiles, s1 is s0)); // typeMerge(s && s) e1 static assert(!__traits(compiles, s3 is s0)); // typeMerge(s && s) e1 static assert(!__traits(compiles, s0 is s1)); // typeMerge(s && s) e2 static assert(!__traits(compiles, s0 is s3)); // typeMerge(s && s) e2 static assert(!__traits(compiles, s1 is s4)); // typeMerge(s && s) e1 + e2 static assert(!__traits(compiles, s3 is s6)); // typeMerge(s && s) e1 + e2 static assert(!__traits(compiles, s1 is 10)); // typeMerge(s || s) e1 static assert(!__traits(compiles, s3 is 10)); // typeMerge(s || s) e1 static assert(!__traits(compiles, 10 is s1)); // typeMerge(s || s) e2 static assert(!__traits(compiles, 10 is s3)); // typeMerge(s || s) e2 // SliceExp::semantic static assert(!__traits(compiles, c1[])); static assert(!__traits(compiles, c3[])); static assert(!__traits(compiles, s1[])); static assert(!__traits(compiles, s3[])); // CallExp::semantic // static assert(!__traits(compiles, c1())); // static assert(!__traits(compiles, c3())); static assert(!__traits(compiles, s1())); static assert(!__traits(compiles, s3())); // AssignExp::semantic static assert(!__traits(compiles, { c1[1] = 0; })); static assert(!__traits(compiles, { c3[1] = 0; })); static assert(!__traits(compiles, { s1[1] = 0; })); static assert(!__traits(compiles, { s3[1] = 0; })); static assert(!__traits(compiles, { c1[ ] = 0; })); static assert(!__traits(compiles, { c3[ ] = 0; })); static assert(!__traits(compiles, { s1[ ] = 0; })); static assert(!__traits(compiles, { s3[ ] = 0; })); // UnaExp::op_overload static assert(!__traits(compiles, +c1[1])); static assert(!__traits(compiles, +c3[1])); static assert(!__traits(compiles, +s1[1])); static assert(!__traits(compiles, +s3[1])); static assert(!__traits(compiles, +c1[ ])); static assert(!__traits(compiles, +c3[ ])); static assert(!__traits(compiles, +s1[ ])); static assert(!__traits(compiles, +s3[ ])); static assert(!__traits(compiles, +c1)); static assert(!__traits(compiles, +c3)); static assert(!__traits(compiles, +s1)); static assert(!__traits(compiles, +s3)); // ArrayExp::op_overload static assert(!__traits(compiles, c1[1])); static assert(!__traits(compiles, c3[1])); static assert(!__traits(compiles, s1[1])); static assert(!__traits(compiles, s3[1])); // BinExp::op_overload static assert(!__traits(compiles, c1 + 10)); // e1 static assert(!__traits(compiles, c3 + 10)); // e1 static assert(!__traits(compiles, 10 + c1)); // e2 static assert(!__traits(compiles, 10 + c3)); // e2 static assert(!__traits(compiles, s1 + 10)); // e1 static assert(!__traits(compiles, s3 + 10)); // e1 static assert(!__traits(compiles, 10 + s1)); // e2 static assert(!__traits(compiles, 10 + s3)); // e2 // BinExp::compare_overload static assert(!__traits(compiles, c1 < 10)); // (Object.opCmp(int) is invalid) static assert(!__traits(compiles, c3 < 10)); // (Object.opCmp(int) is invalid) static assert(!__traits(compiles, 10 < c1)); // (Object.opCmp(int) is invalid) static assert(!__traits(compiles, 10 < c3)); // (Object.opCmp(int) is invalid) static assert(!__traits(compiles, s1 < 10)); // e1 static assert(!__traits(compiles, s3 < 10)); // e1 static assert(!__traits(compiles, 10 < s1)); // e2 static assert(!__traits(compiles, 10 < s3)); // e2 // BinAssignExp::op_overload static assert(!__traits(compiles, c1[1] += 1)); static assert(!__traits(compiles, c3[1] += 1)); static assert(!__traits(compiles, s1[1] += 1)); static assert(!__traits(compiles, s3[1] += 1)); static assert(!__traits(compiles, c1[ ] += 1)); static assert(!__traits(compiles, c3[ ] += 1)); static assert(!__traits(compiles, s1[ ] += 1)); static assert(!__traits(compiles, s3[ ] += 1)); static assert(!__traits(compiles, c1 += c0)); // e1 static assert(!__traits(compiles, c3 += c0)); // e1 static assert(!__traits(compiles, s1 += s0)); // e1 static assert(!__traits(compiles, s3 += s0)); // e1 static assert(!__traits(compiles, c0 += c1)); // e2 static assert(!__traits(compiles, c0 += c3)); // e2 static assert(!__traits(compiles, s0 += s1)); // e2 static assert(!__traits(compiles, s0 += s3)); // e2 static assert(!__traits(compiles, c1 += s1)); // e1 + e2 static assert(!__traits(compiles, c3 += s3)); // e1 + e2 // ForeachStatement::inferAggregate static assert(!__traits(compiles, { foreach (e; s1){} })); static assert(!__traits(compiles, { foreach (e; s3){} })); static assert(!__traits(compiles, { foreach (e; c1){} })); static assert(!__traits(compiles, { foreach (e; c3){} })); // Expression::checkToBoolean static assert(!__traits(compiles, { if (s1){} })); static assert(!__traits(compiles, { if (s3){} })); } /***************************************************/ // 2781 struct Tuple2781a(T...) { T data; alias data this; } struct Tuple2781b(T) { T data; alias data this; } void test2781() { Tuple2781a!(uint, float) foo; foreach(elem; foo) {} { Tuple2781b!(int[]) bar1; foreach(elem; bar1) {} Tuple2781b!(int[int]) bar2; foreach(key, elem; bar2) {} Tuple2781b!(string) bar3; foreach(dchar elem; bar3) {} } { Tuple2781b!(int[]) bar1; foreach(elem; bar1) goto L1; Tuple2781b!(int[int]) bar2; foreach(key, elem; bar2) goto L1; Tuple2781b!(string) bar3; foreach(dchar elem; bar3) goto L1; L1: ; } int eval; auto t1 = tup(10, "str"); auto i1 = 0; foreach (e; t1) { pragma(msg, "[] = ", typeof(e)); static if (is(typeof(e) == int )) assert(i1 == 0 && e == 10); static if (is(typeof(e) == string)) assert(i1 == 1 && e == "str"); ++i1; } auto t2 = tup(10, "str"); foreach (i2, e; t2) { pragma(msg, "[", cast(int)i2, "] = ", typeof(e)); static if (is(typeof(e) == int )) { static assert(i2 == 0); assert(e == 10); } static if (is(typeof(e) == string)) { static assert(i2 == 1); assert(e == "str"); } } auto t3 = tup(10, "str"); auto i3 = 2; foreach_reverse (e; t3) { --i3; pragma(msg, "[] = ", typeof(e)); static if (is(typeof(e) == int )) assert(i3 == 0 && e == 10); static if (is(typeof(e) == string)) assert(i3 == 1 && e == "str"); } auto t4 = tup(10, "str"); foreach_reverse (i4, e; t4) { pragma(msg, "[", cast(int)i4, "] = ", typeof(e)); static if (is(typeof(e) == int )) { static assert(i4 == 0); assert(e == 10); } static if (is(typeof(e) == string)) { static assert(i4 == 1); assert(e == "str"); } } eval = 0; foreach (i, e; tup(tup((eval++, 10), 3.14), tup("str", [1,2]))) { static if (i == 0) assert(e == tup(10, 3.14)); static if (i == 1) assert(e == tup("str", [1,2])); } assert(eval == 1); eval = 0; foreach (i, e; tup((eval++,10), tup(3.14, tup("str", tup([1,2]))))) { static if (i == 0) assert(e == 10); static if (i == 1) assert(e == tup(3.14, tup("str", tup([1,2])))); } assert(eval == 1); } /**********************************************/ // 6546 void test6546() { class C {} class D : C {} struct S { C c; alias c this; } // S : C struct T { S s; alias s this; } // T : S struct U { T t; alias t this; } // U : T C c; D d; S s; T t; U u; assert(c is c); // OK assert(c is d); // OK assert(c is s); // OK assert(c is t); // OK assert(c is u); // OK assert(d is c); // OK assert(d is d); // OK assert(d is s); // doesn't work assert(d is t); // doesn't work assert(d is u); // doesn't work assert(s is c); // OK assert(s is d); // doesn't work assert(s is s); // OK assert(s is t); // doesn't work assert(s is u); // doesn't work assert(t is c); // OK assert(t is d); // doesn't work assert(t is s); // doesn't work assert(t is t); // OK assert(t is u); // doesn't work assert(u is c); // OK assert(u is d); // doesn't work assert(u is s); // doesn't work assert(u is t); // doesn't work assert(u is u); // OK } /**********************************************/ // 6736 void test6736() { static struct S1 { struct S2 // must be 8 bytes in size { uint a, b; } S2 s2; alias s2 this; } S1 c; static assert(!is(typeof(c + c))); } /**********************************************/ // 2777 struct ArrayWrapper(T) { T[] array; alias array this; } // alias array this void test2777a() { ArrayWrapper!(uint) foo; foo.length = 5; // Works foo[0] = 1; // Works auto e0 = foo[0]; // Works auto e4 = foo[$ - 1]; // Error: undefined identifier __dollar auto s01 = foo[0..2]; // Error: ArrayWrapper!(uint) cannot be sliced with[] } // alias tuple this void test2777b() { auto t = tup(10, 3.14, "str", [1,2]); assert(t[$ - 1] == [1,2]); auto f1 = t[]; assert(f1[0] == 10); assert(f1[1] == 3.14); assert(f1[2] == "str"); assert(f1[3] == [1,2]); auto f2 = t[1..3]; assert(f2[0] == 3.14); assert(f2[1] == "str"); } /****************************************/ // 2787 struct Base2787 { int x; void foo() { auto _ = x; } } struct Derived2787 { Base2787 _base; alias _base this; int y; void bar() { auto _ = x; } } /***********************************/ // 5679 void test5679() { class Foo {} class Base { @property Foo getFoo() { return null; } } class Derived : Base { alias getFoo this; } Derived[] dl; Derived d = new Derived(); dl ~= d; // Error: cannot append type alias_test.Base to type Derived[] } /***********************************/ // 6508 void test6508() { int x, y; Seq!(x, y) = tup(10, 20); assert(x == 10); assert(y == 20); } /***********************************/ // 6369 void test6369a() { alias Seq!(int, string) Field; auto t1 = Tup!(int, string)(10, "str"); Field field1 = t1; // NG -> OK assert(field1[0] == 10); assert(field1[1] == "str"); auto t2 = Tup!(int, string)(10, "str"); Field field2 = t2.field; // NG -> OK assert(field2[0] == 10); assert(field2[1] == "str"); auto t3 = Tup!(int, string)(10, "str"); Field field3; field3 = t3.field; assert(field3[0] == 10); assert(field3[1] == "str"); } void test6369b() { auto t = Tup!(Tup!(int, double), string)(tup(10, 3.14), "str"); Seq!(int, double, string) fs1 = t; assert(fs1[0] == 10); assert(fs1[1] == 3.14); assert(fs1[2] == "str"); Seq!(Tup!(int, double), string) fs2 = t; assert(fs2[0][0] == 10); assert(fs2[0][1] == 3.14); assert(fs2[0] == tup(10, 3.14)); assert(fs2[1] == "str"); Tup!(Tup!(int, double), string) fs3 = t; assert(fs3[0][0] == 10); assert(fs3[0][1] == 3.14); assert(fs3[0] == tup(10, 3.14)); assert(fs3[1] == "str"); } void test6369c() { auto t = Tup!(Tup!(int, double), Tup!(string, int[]))(tup(10, 3.14), tup("str", [1,2])); Seq!(int, double, string, int[]) fs1 = t; assert(fs1[0] == 10); assert(fs1[1] == 3.14); assert(fs1[2] == "str"); assert(fs1[3] == [1,2]); Seq!(int, double, Tup!(string, int[])) fs2 = t; assert(fs2[0] == 10); assert(fs2[1] == 3.14); assert(fs2[2] == tup("str", [1,2])); Seq!(Tup!(int, double), string, int[]) fs3 = t; assert(fs3[0] == tup(10, 3.14)); assert(fs3[0][0] == 10); assert(fs3[0][1] == 3.14); assert(fs3[1] == "str"); assert(fs3[2] == [1,2]); } void test6369d() { int eval = 0; Seq!(int, string) t = tup((++eval, 10), "str"); assert(eval == 1); assert(t[0] == 10); assert(t[1] == "str"); } /**********************************************/ // 6434 struct Variant6434{} struct A6434 { Variant6434 i; alias i this; void opDispatch(string name)() { } } void test6434() { A6434 a; a.weird; // no property 'weird' for type 'VariantN!(maxSize)' } /**************************************/ // 6366 void test6366() { struct Zip { string str; size_t i; this(string s) { str = s; } @property const bool empty() { return i == str.length; } @property Tup!(size_t, char) front() { return typeof(return)(i, str[i]); } void popFront() { ++i; } } foreach (i, c; Zip("hello")) { switch (i) { case 0: assert(c == 'h'); break; case 1: assert(c == 'e'); break; case 2: assert(c == 'l'); break; case 3: assert(c == 'l'); break; case 4: assert(c == 'o'); break; default:assert(0); } } auto range(F...)(F field) { static struct Range { F field; bool empty = false; Tup!F front() { return typeof(return)(field); } void popFront(){ empty = true; } } return Range(field); } foreach (i, t; range(10, tup("str", [1,2]))){ static assert(is(typeof(i) == int)); static assert(is(typeof(t) == Tup!(string, int[]))); assert(i == 10); assert(t == tup("str", [1,2])); } auto r1 = range(10, "str", [1,2]); auto r2 = range(tup(10, "str"), [1,2]); auto r3 = range(10, tup("str", [1,2])); auto r4 = range(tup(10, "str", [1,2])); alias Seq!(r1, r2, r3, r4) ranges; foreach (n, _; ranges) { foreach (i, s, a; ranges[n]){ static assert(is(typeof(i) == int)); static assert(is(typeof(s) == string)); static assert(is(typeof(a) == int[])); assert(i == 10); assert(s == "str"); assert(a == [1,2]); } } } /**********************************************/ // Bugzill 6759 struct Range { size_t front() { return 0; } void popFront() { empty = true; } bool empty; } struct ARange { Range range; alias range this; } void test6759() { ARange arange; assert(arange.front == 0); foreach(e; arange) { assert(e == 0); } } /**********************************************/ // 6479 struct Memory6479 { mixin Wrapper6479!(); } struct Image6479 { Memory6479 sup; alias sup this; } mixin template Wrapper6479() { } /**********************************************/ // 6832 void test6832() { static class Foo { } static struct Bar { Foo foo; alias foo this; } Bar bar; bar = new Foo; // ok assert(bar !is null); // ng struct Int { int n; alias n this; } Int a; int b; auto c = (true ? a : b); // TODO assert(c == a); } /**********************************************/ // 6928 void test6928() { struct T { int* p; } // p is necessary. T tx; struct S { T get() const { return tx; } alias get this; } immutable(S) s; immutable(T) t; static assert(is(typeof(1? s:t))); // ok. static assert(is(typeof(1? t:s))); // ok. static assert(is(typeof(1? s:t)==typeof(1? t:s))); // fail. auto x = 1? t:s; // ok. auto y = 1? s:t; // compile error. } /**********************************************/ // 6929 struct S6929 { T6929 get() const { return T6929.init; } alias get this; } struct T6929 { S6929 get() const { return S6929.init; } alias get this; } void test6929() { T6929 t; S6929 s; static assert(!is(typeof(1? t:s))); } /***************************************************/ // 7136 void test7136() { struct X { Object get() immutable { return null; } alias get this; } immutable(X) x; Object y; static assert( is(typeof(1?x:y) == Object)); // fails static assert(!is(typeof(1?x:y) == const(Object))); // fails struct A { int[] get() immutable { return null; } alias get this; } immutable(A) a; int[] b; static assert( is(typeof(1?a:b) == int[])); // fails static assert(!is(typeof(1?a:b) == const(int[]))); // fails } /***************************************************/ // 7731 struct A7731 { int a; } template Inherit7731(alias X) { X __super; alias __super this; } struct B7731 { mixin Inherit7731!A7731; int b; } struct PolyPtr7731(X) { X* _payload; static if (is(typeof(X.init.__super))) { alias typeof(X.init.__super) Super; @property auto getSuper(){ return PolyPtr7731!Super(&_payload.__super); } alias getSuper this; } } template create7731(X) { PolyPtr7731!X create7731(T...)(T args){ return PolyPtr7731!X(args); } } void f7731a(PolyPtr7731!A7731 a) {/*...*/} void f7731b(PolyPtr7731!B7731 b) {f7731a(b);/*...*/} void test7731() { auto b = create7731!B7731(); } /***************************************************/ // 7808 struct Nullable7808(T) { private T _value; this()(T value) { _value = value; } @property ref inout(T) get() inout pure @safe { return _value; } alias get this; } class C7808 {} struct S7808 { C7808 c; } void func7808(S7808 s) {} void test7808() { auto s = Nullable7808!S7808(S7808(new C7808)); func7808(s); } /***************************************************/ // 7945 struct S7945 { int v; alias v this; } void foo7945(ref int n){} void test7945() { auto s = S7945(1); foo7945(s); // 1.NG -> OK s.foo7945(); // 2.OK, ufcs foo7945(s.v); // 3.OK s.v.foo7945(); // 4.OK, ufcs } /***************************************************/ // 7992 struct S7992 { int[] arr; alias arr this; } S7992 func7992(...) { S7992 ret; ret.arr.length = _arguments.length; return ret; } void test7992() { int[] arr; assert(arr.length == 0); arr ~= func7992(1, 2); //NG //arr = func7992(1, 2); //OK assert(arr.length == 2); } /***************************************************/ // 8169 void test8169() { static struct ValueImpl { static immutable(int) getValue() { return 42; } } static struct ValueUser { ValueImpl m_valueImpl; alias m_valueImpl this; } static assert(ValueImpl.getValue() == 42); // #0, OK static assert(ValueUser.getValue() == 42); // #1, NG -> OK static assert( ValueUser.m_valueImpl .getValue() == 42); // #2, NG -> OK static assert(typeof(ValueUser.m_valueImpl).getValue() == 42); // #3, OK } /***************************************************/ // 9174 void test9174() { static struct Foo { char x; alias x this; } static assert(is(typeof(true ? 'A' : Foo()) == char)); static assert(is(typeof(true ? Foo() : 100) == int)); } /***************************************************/ // 9177 struct S9177 { int foo(int){ return 0; } alias foo this; } pragma(msg, is(S9177 : int)); /***************************************************/ int main() { test1(); test2(); test3(); test4(); test5(); test4617a(); test4617b(); test4773(); test5188(); test6(); test7(); test2781(); test6546(); test6736(); test2777a(); test2777b(); test5679(); test6508(); test6369a(); test6369b(); test6369c(); test6369d(); test6434(); test6366(); test6759(); test6832(); test6928(); test6929(); test7136(); test7731(); test7808(); test7945(); test7992(); test8169(); test9174(); printf("Success\n"); return 0; }
D
/* * [The "BSD license"] * Copyright (c) 2012 Terence Parr * Copyright (c) 2012 Sam Harwell * All rights reserved. * * Redistribution and use in source and binary forms, with or without * modification, are permitted provided that the following conditions * are met: * * 1. Redistributions of source code must retain the above copyright * notice, this list of conditions and the following disclaimer. * 2. Redistributions in binary form must reproduce the above copyright * notice, this list of conditions and the following disclaimer in the * documentation and/or other materials provided with the distribution. * 3. The name of the author may not be used to endorse or promote products * derived from this software without specific prior written permission. * * THIS SOFTWARE IS PROVIDED BY THE AUTHOR ``AS IS'' AND ANY EXPRESS OR * IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES * OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. * IN NO EVENT SHALL THE AUTHOR 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. */ module antlr.v4.runtime.dfa.DFASerializer; import std.array; import std.conv; import antlr.v4.runtime.dfa.DFA; import antlr.v4.runtime.dfa.DFAState; import antlr.v4.runtime.Vocabulary; import antlr.v4.runtime.VocabularyImpl; /** * @uml * A DFA walker that knows how to dump them to serialized strings. */ class DFASerializer { public DFA dfa; public Vocabulary vocabulary; public this(DFA dfa, string[] tokenNames) { this(dfa, VocabularyImpl.fromTokenNames(tokenNames)); } public this(DFA dfa, Vocabulary vocabulary) { this.dfa = dfa; this.vocabulary = vocabulary; } /** * @uml * @override */ public override string toString() { if (dfa.s0 is null) return null; auto buf = appender!string; DFAState[] states = dfa.getStates; foreach (DFAState s; states) { size_t n = 0; if (s.edges !is null) n = s.edges.length; for (int i=0; i<n; i++) { DFAState t = s.edges[i]; if (t !is null && t.stateNumber != int.max) { buf.put(getStateString(s)); string label = getEdgeLabel(i); buf.put("-"); buf.put(label); buf.put("->"); buf.put(getStateString(t)); buf.put('\n'); } } } string output = buf.data; if (output.length == 0) return null; //return Utils.sortLinesInString(output); return output; } public string getEdgeLabel(int i) { return vocabulary.getDisplayName(i - 1); } public string getStateString(DFAState s) { int n = s.stateNumber; string baseStateStr = (s.isAcceptState ? ":" : "") ~ "s" ~ to!string(n) ~ (s.requiresFullContext ? "^" : ""); if (s.isAcceptState) { if (s.predicates !is null) { return baseStateStr ~ "=>" ~ to!string(s.predicates); } else { return baseStateStr ~ "=>" ~ to!string(s.prediction); } } else { return baseStateStr; } } }
D
instance DIA_Addon_Juan_EXIT(C_Info) { npc = BDT_10017_Addon_Juan; nr = 999; condition = DIA_Addon_Juan_EXIT_Condition; information = DIA_Addon_Juan_EXIT_Info; permanent = TRUE; description = Dialog_Ende; }; func int DIA_Addon_Juan_EXIT_Condition() { return TRUE; }; func void DIA_Addon_Juan_EXIT_Info() { B_EquipTrader(self); AI_StopProcessInfos(self); }; instance DIA_Addon_Juan_HI(C_Info) { npc = BDT_10017_Addon_Juan; nr = 2; condition = DIA_Addon_Juan_HI_Condition; information = DIA_Addon_Juan_HI_Info; permanent = FALSE; description = "Как дела?"; }; func int DIA_Addon_Juan_HI_Condition() { return TRUE; }; func void DIA_Addon_Juan_HI_Info() { AI_Output(other,self,"DIA_Addon_Juan_HI_15_00"); //Как дела? AI_Output(self,other,"DIA_Addon_Juan_HI_13_01"); //Что тебе нужно? Если тебе нечего мне сказать, проходи мимо. if(!Npc_IsDead(Freund)) { AI_Output(self,other,"DIA_Addon_Juan_HI_13_02"); //Иначе мой приятель сделает из тебя фарш. Так что тебе нужно? B_StartOtherRoutine(Freund,"STAND"); }; }; instance DIA_Addon_Juan_Losung(C_Info) { npc = BDT_10017_Addon_Juan; nr = 2; condition = DIA_Addon_Juan_Losung_Condition; information = DIA_Addon_Juan_Losung_Info; permanent = FALSE; description = "Говорят, у тебя есть интересные вещи..."; }; func int DIA_Addon_Juan_Losung_Condition() { if(Npc_KnowsInfo(other,DIA_Addon_Juan_HI) && ((Tom_Tells == TRUE) || (MIS_Huno_Stahl == LOG_Running))) { return TRUE; }; }; func void DIA_Addon_Juan_Losung_Info() { AI_Output(other,self,"DIA_Addon_Juan_Losung_15_00"); //Говорят, у тебя есть интересные вещи... AI_Output(self,other,"DIA_Addon_Juan_Losung_13_01"); //И что? Эстебан хочет меня обуть? Я все время работаю, целыми днями не выхожу из этой жалкой дыры... AI_Output(self,other,"DIA_Addon_Juan_Losung_13_02"); //... а он просто посылает кого-то, чтобы забрать мои вещи? Я же не склад! AI_Output(other,self,"DIA_Addon_Juan_Losung_15_03"); //Ну и что? Это не мои проблемы. AI_Output(self,other,"DIA_Addon_Juan_Losung_13_04"); //Это Я создаю тебе проблемы. Ты хочешь доставить товары - отлично, заплати за них! AI_Output(self,other,"DIA_Addon_Juan_Losung_13_05"); //Возьми золото у Эстебана или у Ворона, или я не знаю где еще. Мне без разницы. Если кому-то нужны эти товары, за них придется заплатить! }; instance DIA_Addon_Juan_AufsMaul(C_Info) { npc = BDT_10017_Addon_Juan; nr = 2; condition = DIA_Addon_Juan_AufsMaul_Condition; information = DIA_Addon_Juan_AufsMaul_Info; permanent = FALSE; description = "Я пришел не от Эстебана!"; }; func int DIA_Addon_Juan_AufsMaul_Condition() { if(Npc_KnowsInfo(other,DIA_Addon_Juan_Losung)) { return TRUE; }; }; func void DIA_Addon_Juan_AufsMaul_Info() { AI_Output(other,self,"DIA_Addon_Juan_AufsMaul_15_00"); //Я пришел не от Эстебана! AI_Output(self,other,"DIA_Addon_Juan_AufsMaul_13_01"); //Да? Ну тогда... э-э... Секундочку! Замри! У тебя на плече какая-то мошка. Info_ClearChoices(DIA_Addon_Juan_AufsMaul); Info_AddChoice(DIA_Addon_Juan_AufsMaul,Dialog_Ende,DIA_Addon_Juan_AufsMaul_ENDAttack); }; func void DIA_Addon_Juan_AufsMaul_ENDAttack() { AI_StopProcessInfos(self); if(!Npc_HasEquippedWeapon(self)) { B_RefreshMeleeWeapon(self); }; B_Attack(self,other,AR_NONE,1); if(!Npc_IsDead(Freund) && Hlp_IsValidNpc(Freund)) { B_Attack(Freund,other,AR_NONE,1); }; }; instance DIA_Addon_Juan_Trade(C_Info) { npc = BDT_10017_Addon_Juan; nr = 99; condition = DIA_Addon_Juan_Trade_Condition; information = DIA_Addon_Juan_Trade_Info; permanent = TRUE; trade = TRUE; description = DIALOG_TRADE_v3; }; func int DIA_Addon_Juan_Trade_Condition() { if(Npc_KnowsInfo(other,DIA_Addon_Juan_Losung)) { return TRUE; }; }; func void DIA_Addon_Juan_Trade_Info() { B_Say(other,self,"$TRADE_3"); B_GiveTradeInv(self); Trade_IsActive = TRUE; };
D
// Written in the D programming language. /** This module contains cross-platform file access utilities Synopsis: ---- import dlangui.core.files; ---- Copyright: Vadim Lopatin, 2014 License: Boost License 1.0 Authors: Vadim Lopatin, coolreader.org@gmail.com */ module dlangui.core.files; import std.algorithm; private import dlangui.core.logger; private import std.process; private import std.path; private import std.file; private import std.utf; version (Windows) { /// path delimiter (\ for windows, / for others) immutable char PATH_DELIMITER = '\\'; } else { /// path delimiter (\ for windows, / for others) immutable char PATH_DELIMITER = '/'; } /// Filesystem root entry / bookmark types enum RootEntryType : uint { /// filesystem root ROOT, /// current user home HOME, /// removable drive REMOVABLE, /// fixed drive FIXED, /// network NETWORK, /// cd rom CDROM, /// sd card SDCARD, /// custom bookmark BOOKMARK, } /// Filesystem root entry item struct RootEntry { private RootEntryType _type; private string _path; private dstring _display; this(RootEntryType type, string path, dstring display = null) { _type = type; _path = path; _display = display; if (display is null) { _display = toUTF32(baseName(path)); } } /// Returns type @property RootEntryType type() { return _type; } /// Returns path @property string path() { return _path; } /// Returns display label @property dstring label() { return _display; } /// Returns icon resource id @property string icon() { switch (type) { case RootEntryType.NETWORK: return "folder-network"; case RootEntryType.BOOKMARK: return "folder-bookmark"; case RootEntryType.CDROM: return "drive-optical"; case RootEntryType.FIXED: return "drive-harddisk"; case RootEntryType.HOME: return "user-home"; case RootEntryType.ROOT: return "computer"; case RootEntryType.SDCARD: return "media-flash-sd-mmc"; case RootEntryType.REMOVABLE: return "device-removable-media"; default: return "folder-blue"; } } } /// Returns @property RootEntry homeEntry() { return RootEntry(RootEntryType.HOME, homePath); } /// returns array of system root entries @property RootEntry[] getRootPaths() { RootEntry[] res; res ~= RootEntry(RootEntryType.HOME, homePath); version (posix) { res ~= RootEntry(RootEntryType.ROOT, "/", "File System"d); } version (Windows) { import win32.windows; uint mask = GetLogicalDrives(); for (int i = 0; i < 26; i++) { if (mask & (1 << i)) { char letter = cast(char)('A' + i); string path = "" ~ letter ~ ":\\"; dstring display = ""d ~ letter ~ ":"d; // detect drive type RootEntryType type; uint wtype = GetDriveTypeA(("" ~ path).ptr); //Log.d("Drive ", path, " type ", wtype); switch (wtype) { case DRIVE_REMOVABLE: type = RootEntryType.REMOVABLE; break; case DRIVE_REMOTE: type = RootEntryType.NETWORK; break; case DRIVE_CDROM: type = RootEntryType.CDROM; break; default: type = RootEntryType.FIXED; break; } res ~= RootEntry(type, path, display); } } } return res; } /// returns true if directory is root directory (e.g. / or C:\) bool isRoot(string path) { string root = rootName(path); if (path.equal(root)) return true; return false; } /// returns parent directory for specified path string parentDir(string path) { return buildNormalizedPath(path, ".."); } /// Filters file name by pattern list bool filterFilename(string filename, string[] filters) { return true; } /** List directory content Optionally filters file names by filter. Result will be placed into entries array. Returns true if directory exists and listed successfully, false otherwise. */ bool listDirectory(string dir, bool includeDirs, bool includeFiles, bool showHiddenFiles, string[] filters, ref DirEntry[] entries) { entries.length = 0; if (!isDir(dir)) { return false; } if (!isRoot(dir) && includeDirs) { entries ~= DirEntry(appendPath(dir, "..")); } try { DirEntry[] dirs; DirEntry[] files; foreach (DirEntry e; dirEntries(dir, SpanMode.shallow)) { string fn = baseName(e.name); if (!showHiddenFiles && fn.startsWith(".")) continue; if (e.isDir) { dirs ~= e; } else if (e.isFile) { files ~= e; } } if (includeDirs) foreach(DirEntry e; dirs) entries ~= e; if (includeFiles) foreach(DirEntry e; files) if (filterFilename(e.name, filters)) entries ~= e; return true; } catch (FileException e) { return false; } } /** Returns true if char ch is / or \ slash */ bool isPathDelimiter(char ch) { return ch == '/' || ch == '\\'; } /// Returns current directory @property string currentDir() { return getcwd(); } /** Returns current executable path only, including last path delimiter - removes executable name from result of std.file.thisExePath() */ @property string exePath() { string path = thisExePath(); int lastSlash = 0; for (int i = 0; i < path.length; i++) if (path[i] == PATH_DELIMITER) lastSlash = i; return path[0 .. lastSlash + 1]; } /// Returns user's home directory @property string homePath() { string path; version (Windows) { path = environment.get("USERPROFILE"); if (path is null) path = environment.get("HOME"); } else { path = environment.get("HOME"); } if (path is null) path = "."; // fallback to current directory return path; } /** Returns application data directory On unix, it will return path to subdirectory in home directory - e.g. /home/user/.subdir if ".subdir" is passed as a paramter. On windows, it will return path to subdir in APPDATA directory - e.g. C:\Users\User\AppData\Roaming\.subdir. */ string appDataPath(string subdir = null) { string path; version (Windows) { path = environment.get("APPDATA"); } if (path is null) path = homePath; if (subdir !is null) { path ~= PATH_DELIMITER; path ~= subdir; } return path; } /// Converts path delimiters to standard for platform inplace in buffer(e.g. / to \ on windows, \ to / on posix), returns buf char[] convertPathDelimiters(char[] buf) { foreach(ref ch; buf) { version (Windows) { if (ch == '/') ch = '\\'; } else { if (ch == '\\') ch = '/'; } } return buf; } /** Converts path delimiters to standard for platform (e.g. / to \ on windows, \ to / on posix) */ string convertPathDelimiters(string src) { char[] buf = src.dup; return cast(string)convertPathDelimiters(buf); } /** Appends file path parts with proper delimiters e.g. appendPath("/home/user", ".myapp", "config") => "/home/user/.myapp/config" */ string appendPath(string[] pathItems ...) { char[] buf; foreach (s; pathItems) { if (buf.length && !isPathDelimiter(buf[$-1])) buf ~= PATH_DELIMITER; buf ~= s; } return convertPathDelimiters(buf).dup; } /** Appends file path parts with proper delimiters (as well converts delimiters inside path to system) to buffer e.g. appendPath("/home/user", ".myapp", "config") => "/home/user/.myapp/config" */ char[] appendPath(char[] buf, string[] pathItems ...) { foreach (s; pathItems) { if (buf.length && !isPathDelimiter(buf[$-1])) buf ~= PATH_DELIMITER; buf ~= s; } return convertPathDelimiters(buf); } /** Split path into elements, e.g. /home/user/dir1 -> ["home", "user", "dir1"], "c:\dir1\dir2" -> ["c:", "dir1", "dir2"] */ string[] splitPath(string path) { string[] res; int start = 0; for (int i = 0; i <= path.length; i++) { char ch = i < path.length ? path[i] : 0; if (ch == '\\' || ch == '/' || ch == 0) { if (start < i) res ~= path[start .. i].dup; start = i + 1; } } return res; }
D
/* Copyright 2002-2004 John Plevyak, All Rights Reserved */ module ddparser.gram; import std.bitmanip; import ddparser.util; import ddparser.dparse_tables; import ddparser.lr; import ddparser.lex; import ddparser.dparse; import ddparser.parse; import std.stdio; import std.json; import std.conv; import ddparser.serialize; import std.string; import std.ascii; import std.algorithm; import std.array; enum EOF_SENTINAL = "\377"; enum NO_PROD =0xFFFFFFFF; alias Item = Elem; struct Code { string code; D_ReductionCode _f; int line; void serialize(Serializer s) { //s.map(line, "line"); //if (line != -1) // s.mapCString(code, "code"); } @property void f(D_ReductionCode c) { _f = c; line = -1; code = ""; } @property D_ReductionCode f() { if (line == -1) return _f; return null; } } struct Goto { Elem *elem; State *state; } enum ActionKind { ACTION_ACCEPT, ACTION_SHIFT, ACTION_REDUCE, ACTION_SHIFT_TRAILING } struct Action { ActionKind kind; Term *term; Rule *rule; State *state; uint index; size_t[2] temp_key = [size_t.max]; } alias VecAction = Vec!(Action*); struct Hint { uint depth; State *state; Rule *rule; } alias VecHint = Vec!(Hint*); alias VecScanStateTransition = Vec!(ScanStateTransition*); struct Scanner { ScanState*[] states; VecScanStateTransition transitions; } struct State { uint index; uint64 hash; Item*[] items; bool[Item*] items_hash; Goto*[] gotos; VecAction shift_actions; VecAction reduce_actions; VecHint right_epsilon_hints; VecHint error_recovery_hints; Scanner scanner; mixin(bitfields!( bool, "accept", 1, uint, "scanner_code", 1, uint, "goto_on_token", 1, uint, "scan_kind", 3, uint, "trailing_context", 1, uint, "", 25 )); int goto_table_offset; State *same_shifts; State *reduces_to; Rule *reduces_with; Rule *reduces_to_then_with; } enum ASSOC_LEFT =0x0001; enum ASSOC_RIGHT =0x0002; enum ASSOC_NARY =0x0004; enum ASSOC_UNARY =0x0008; enum ASSOC_BINARY =0x0010; enum AssocKind { ASSOC_NONE = 0, ASSOC_NARY_LEFT = (ASSOC_NARY|ASSOC_LEFT), ASSOC_NARY_RIGHT = (ASSOC_NARY|ASSOC_RIGHT), ASSOC_UNARY_LEFT = (ASSOC_UNARY|ASSOC_LEFT), ASSOC_UNARY_RIGHT = (ASSOC_UNARY|ASSOC_RIGHT), ASSOC_BINARY_LEFT = (ASSOC_BINARY|ASSOC_LEFT), ASSOC_BINARY_RIGHT = (ASSOC_BINARY|ASSOC_RIGHT), ASSOC_NO = 0x0020 } @nogc @safe nothrow pure { bool IS_RIGHT_ASSOC(AssocKind _x) { return cast(bool)(_x & ASSOC_RIGHT); } bool IS_LEFT_ASSOC(AssocKind _x) { return cast(bool)(_x & ASSOC_LEFT); } bool IS_NARY_ASSOC(AssocKind _x) { return cast(bool)(_x & ASSOC_NARY); } bool IS_BINARY_ASSOC(AssocKind _x) { return cast(bool)(_x & ASSOC_BINARY); } bool IS_UNARY_ASSOC(AssocKind _x) { return cast(bool)(_x & ASSOC_UNARY); } bool IS_UNARY_BINARY_ASSOC(AssocKind _x) { return IS_UNARY_ASSOC(_x) || IS_BINARY_ASSOC(_x); } bool IS_BINARY_NARY_ASSOC(AssocKind _x) { return IS_NARY_ASSOC(_x) || IS_BINARY_ASSOC(_x); } /* not valid for NARY */ bool IS_EXPECT_RIGHT_ASSOC(AssocKind _x) { return _x && _x != AssocKind.ASSOC_UNARY_LEFT; } bool IS_EXPECT_LEFT_ASSOC(AssocKind _x) { return _x && _x != AssocKind.ASSOC_UNARY_RIGHT; } } struct Rule { uint index; Production *prod; int op_priority; AssocKind op_assoc; int rule_priority; AssocKind rule_assoc; Elem*[] elems; Elem *end; Code speculative_code; Code final_code; Vec!(Code*) pass_code; int action_index; Rule *same_reduction; void serialize(Serializer s) { s.map(index, "index"); s.map(prod, "prod"); s.map(op_priority, "op_priority"); s.map(op_assoc, "op_assoc"); s.map(rule_priority, "rule_priority"); s.map(rule_assoc, "rule_assoc"); s.map(elems, "elems"); s.map(end, "end"); s.map(speculative_code, "speculative_code"); s.map(final_code, "final_code"); s.map(pass_code, "pass_code"); s.map(action_index, "action_index"); s.map(same_reduction, "same_reduction"); } } enum TermKind { TERM_STRING, TERM_REGEX, TERM_CODE, TERM_TOKEN } struct Term { TermKind kind; uint index; int term_priority; string term_name; AssocKind op_assoc; int op_priority; string string_; mixin(bitfields!( uint, "scan_kind", 3, uint, "ignore_case", 1, uint, "trailing_context", 1, uint, "", 27 )); Production *regex_production; void serialize(Serializer s) { s.map(kind, "kind"); s.map(index, "index"); s.map(term_priority, "term_priority"); //s.map(term_name, "term_name"); s.map(op_assoc, "op_assoc"); s.map(op_priority, "op_priority"); //s.map(string_, "string_"); mixin(fieldMap!("scan_kind", s)); mixin(fieldMap!("ignore_case", s)); mixin(fieldMap!("trailing_context", s)); s.map(regex_production, "regex_production"); } } enum DeclarationKind { DECLARE_TOKENIZE, DECLARE_LONGEST_MATCH, DECLARE_ALL_MATCHES, DECLARE_SET_OP_PRIORITY, DECLARE_STATES_FOR_ALL_NTERMS, DECLARE_STATE_FOR, DECLARE_WHITESPACE, DECLARE_SAVE_PARSE_TREE, DECLARE_NUM } alias DECLARE_NUM = DeclarationKind.DECLARE_NUM; struct Declaration { Elem * elem; DeclarationKind kind; uint index; void serialize(Serializer s) { s.map(elem, "elem"); s.map(kind, "kind"); s.map(index, "index"); } } enum InternalKind { INTERNAL_NOT, INTERNAL_HIDDEN, INTERNAL_CONDITIONAL, INTERNAL_STAR, INTERNAL_PLUS } struct Production { string name; Rule*[] rules; uint index; mixin(bitfields!( uint, "regex", 1, uint, "in_regex", 1, uint, "internal", 3, /* production used for EBNF */ uint, "live", 1, uint, "", 26 )); Rule *nullable; /* shortest rule for epsilon reduction */ Production*[DECLARE_NUM] declaration_group; Declaration*[DECLARE_NUM] last_declaration; State *state; /* state for independent parsing of this productions*/ Elem *elem; /* base elem for the item set of the above state */ Term *regex_term; /* regex production terminal */ Production *next; void serialize(Serializer s) { //s.map(name, "name"); s.map(rules, "rules"); s.map(index, "index"); mixin(fieldMap!("regex", s)); mixin(fieldMap!("in_regex", s)); mixin(fieldMap!("internal", s)); mixin(fieldMap!("live", s)); s.map(nullable, "nullable"); s.map(declaration_group, "declaration_group"); s.map(last_declaration, "last_declaration"); s.map(state, "state"); s.map(elem, "elem"); s.map(regex_term, "regex_term"); s.map(next, "next"); } } enum ElemKind { ELEM_NTERM, ELEM_TERM, ELEM_UNRESOLVED, ELEM_END } bool elemTermOrNtermEqual(in Elem a, in Elem b) { if (a.kind != b.kind) return false; if (__ctfe) { if (a.kind == ElemKind.ELEM_NTERM) return a.e.nterm == b.e.nterm; else if (a.kind == ElemKind.ELEM_TERM) return a.e.term == b.e.term; else return a.e.unresolved == b.e.unresolved; } return a.e.term_or_nterm == b.e.term_or_nterm; } struct Elem { ElemKind kind; uint index; Rule *rule; union E { Production *nterm; Term *term; void *term_or_nterm; string unresolved; } E e; @property inout(Term)* term() inout @trusted { assert(kind == ElemKind.ELEM_TERM); return e.term; } @property void term(Term* t) @trusted { e.term = t; kind = ElemKind.ELEM_TERM; } @property inout(Production)* nterm() inout @trusted { assert(kind == ElemKind.ELEM_NTERM); return e.nterm; } @property void nterm(Production* p) { kind = ElemKind.ELEM_NTERM; e.nterm = p; } string toString() { if (kind == ElemKind.ELEM_NTERM) return "NTERM: " ~ nterm.name; if (kind == ElemKind.ELEM_TERM) return "TERM: " ~ term.term_name; if (kind == ElemKind.ELEM_UNRESOLVED) return "UNRES: " ~ e.unresolved; return "END"; } void serialize(Serializer s) { s.map(kind, "kind"); s.map(index, "index"); s.map(rule, "rule"); if (kind == ElemKind.ELEM_NTERM) s.map(e.nterm, "nterm"); else if (kind == ElemKind.ELEM_TERM) s.map(e.term, "term"); /* else if (kind == ElemKind.ELEM_UNRESOLVED) */ /* s.map(e.unresolved, "unresolved"); */ } } struct Grammar { Production*[] productions; Term*[] terminals; State*[] states; Action*[] actions; Code scanner; /* Code *code; */ /* int ncode; */ Declaration*[] declarations; Vec!(D_Pass *) passes; string default_white_space; /* grammar construction options */ int set_op_priority_from_rule; int right_recursive_BNF; int states_for_whitespace; int states_for_all_nterms; int tokenizer; int longest_match; int save_parse_tree; /* grammar writing options */ int scanner_blocks; int scanner_block_size; /* temporary variables for grammar construction */ Production * p; Rule * r; Elem * e; int action_index; int action_count; int pass_index; int rule_index; void serialize(Serializer s) { /* s.mapCArray(code, "code", ncode); */ s.map(scanner, "scanner"); s.map(productions, "productions"); s.map(terminals, "terminals"); s.map(states, "states"); s.map(actions, "actions"); s.map(declarations, "declarations"); s.map(passes, "passes"); //s.mapCString(default_white_space, "default_white_space"); s.map(set_op_priority_from_rule, "set_op_priority_from_rule"); s.map(right_recursive_BNF, "right_recursive_BNF"); s.map(states_for_whitespace, "states_for_whitespace"); s.map(states_for_all_nterms, "states_for_all_nterms"); s.map(tokenizer, "tokenizer"); s.map(longest_match, "longest_match"); s.map(save_parse_tree, "save_parse_tree"); s.map(scanner_blocks, "scanner_blocks"); s.map(scanner_block_size, "scanner_block_size"); } } alias D_Grammar = Grammar; /* Copyright 2002-2004 John Plevyak, All Rights Reserved */ immutable string[] action_types = [ "ACCEPT", "SHIFT", "REDUCE" ]; Production* new_production(Grammar *g, string name) @safe { Production *p = lookup_production(g, name); if (p) { return p; } p = new Production(); g.productions ~= p; p.name = name; return p; } Rule * new_rule(Grammar *g, Production *p) @safe { Rule *r = new Rule(); r.prod = p; r.end = new Elem(); r.end.kind = ElemKind.ELEM_END; r.end.rule = r; r.action_index = g.action_index; return r; } private Elem * new_elem_term(Term *t, Rule *r) @safe { Elem *e = new Elem(); e.term = t; e.rule = r; r.elems ~= e; return e; } Elem * new_elem_nterm(Production *p, Rule *r) @safe { Elem *e = new Elem(); e.kind = ElemKind.ELEM_NTERM; e.e.nterm = p; e.rule = r; return e; } private Elem * new_term_string(Grammar *g, string s, Rule *r) @safe { Term *t = new Term(); t.string_ = s; g.terminals ~= t; return new_elem_term(t, r); } string escape_string_for_regex(const char[] s) @safe { auto result = appender!string(); result.reserve(s.length * 2); foreach(c; s) { switch (c) { case '(': case ')': case '[': case ']': case '-': case '^': case '*': case '?': case '+': result ~= '\\'; goto default; default: result ~= c; } } return result.data; } private string unescapeTermString(const(char)[] termString, TermKind kind) @safe { string result; uint start = 0; int length; uint base = 0; for (uint i = 0; i < termString.length; ++i) { if (termString[i] == '\\') { switch (termString[i + 1]) { case '\\': if (kind == TermKind.TERM_STRING) { result ~= '\\'; i++; break; } else goto default; case 'b': result ~= '\b'; i++; break; case 'f': result ~= '\f'; i++; break; case 'n': result ~= '\n'; i++; break; case 'r': result ~= '\r'; i++; break; case 't': result ~= '\t'; i++; break; case 'v': result ~= '\v'; i++; break; case 'a': result ~= '\a'; i++; break; case 'c': assert(false); //return; case '\"': if (kind == TermKind.TERM_REGEX) { result ~= '\"'; i++; break; } else goto default; case '\'': if (kind == TermKind.TERM_STRING) { result ~= '\''; i++; break; } else goto default; case 'x': length = 0; if (termString[i + 2].isHexDigit()) { base = 16; start = i + 2; length++; if (termString[i + 3].isHexDigit()) length++; } i += length + 1; goto Lncont; case 'd': length = 0; if (termString[i + 2].isDigit()) { base = 10; start = i + 2; length++; if ((termString[i + 3]).isDigit()) { length++; if (termString[i + 4].isDigit() && ((termString[i + 2] < '2') || ((termString[i + 2] == '2') && ((termString[i + 3] < '5') || ((termString[i + 3] == '5') && (termString[i + 4] < '6')))))) length++; } } i += length + 1; goto Lncont; case '0': case '1': case '2': case '3': case '4': case '5': case '6': case '7': length = 1; base = 8; start = i + 1; if (termString[i + 2].isDigit() && (termString[i + 2] != '8') && (termString[i + 2] != '9')) { length++; if (termString[i + 3].isDigit() && (termString[i + 3] != '8') && (termString[i + 3] != '9')) { length++; } } i += length; /* fall through */ Lncont: if (length > 0) { result ~= cast(char)termString[start .. start + length].to!ubyte(base); if (i < termString.length) break; d_fail("encountered an escaped null while processing '%s'", termString); } else goto next; break; default: result ~= termString[i]; result ~= termString[i + 1]; i ++; break; } } else { result ~= termString[i]; } next:; } if (!result.length) d_fail("empty string after unescape '%s'", termString); return result; } private void unescape_term_string(Term *t) { t.string_ = unescapeTermString(t.string_, t.kind); } Elem * new_string(Grammar *g, string s, Rule *r) { Elem *x = new_term_string(g, s[1 .. $ - 1], r); x.e.term.kind = (s[0] == '"') ? TermKind.TERM_REGEX : TermKind.TERM_STRING; unescape_term_string(x.e.term); return x; } Elem * new_utf8_char(Grammar *g, const(char) *s, const(char) *e, Rule *r) { char[4] utf8_code; ulong utf32_code, base, len = 0; for (utf32_code=0, base=1; e>=s+3; base*=16) { e--; if (*e >= '0' && *e <= '9') utf32_code += base * (*e - '0'); else if (*e >= 'a' && *e <= 'f') utf32_code += base * (*e - 'a' + 10); else if (*e >= 'A' && *e <= 'F') utf32_code += base * (*e - 'A' + 10); } if (utf32_code < 0x80) { utf8_code[0] = cast(char)utf32_code; len = 1; } else if (utf32_code < 0x800) { utf8_code[0] = 0xc0 | ((utf32_code >> 6) & 0x1f); utf8_code[1] = 0x80 | (utf32_code & 0x3f); len = 2; } else if (utf32_code < 0x10000) { utf8_code[0] = 0xe0 | ((utf32_code >> 12) & 0x0f); utf8_code[1] = 0x80 | ((utf32_code >> 6) & 0x3f); utf8_code[2] = 0x80 | (utf32_code & 0x3f); len = 3; } else if (utf32_code < 0x02000000) { utf8_code[0] = 0xf0 | ((utf32_code >> 18) & 0x07); utf8_code[1] = 0x80 | ((utf32_code >> 12) & 0x3f); utf8_code[2] = 0x80 | ((utf32_code >> 6) & 0x3f); utf8_code[3] = 0x80 | (utf32_code & 0x3f); len = 4; } else { d_fail("UTF32 Unicode value U+%8X too large for valid UTF-8 encoding (cf. Unicode Spec 4.0, section 3.9)", utf32_code); } Elem *x = new_term_string(g, utf8_code[0 .. len].idup, r); x.e.term.kind = TermKind.TERM_STRING; return x; } Elem * new_ident(string s, Rule *r) @safe { Elem *x = new Elem(); x.kind = ElemKind.ELEM_UNRESOLVED; x.e.unresolved = s; x.rule = r; if (r) r.elems ~= x; return x; } void new_token(Grammar *g, string s) @safe { Term *t = new Term(); t.string_ = s; g.terminals ~= t; t.kind = TermKind.TERM_TOKEN; } Elem * new_code(Grammar *g, string s, Rule *r) { Elem *x = new_term_string(g, s, r); x.e.term.kind = TermKind.TERM_CODE; return x; } Elem * dup_elem(Elem *e, Rule *r) @safe { Elem *ee = new Elem(); *ee = *e; ee.rule = r; return ee; } void new_declaration(Grammar *g, Elem *e, DeclarationKind kind) { Declaration *d = new Declaration(); d.elem = e; d.kind = kind; d.index = cast(uint)g.declarations.length; g.declarations ~= d; } void add_declaration(Grammar *g, string s, DeclarationKind kind, uint line) { if (s.length == 0) { switch (kind) { case DeclarationKind.DECLARE_SET_OP_PRIORITY: g.set_op_priority_from_rule = 1; return; case DeclarationKind.DECLARE_STATES_FOR_ALL_NTERMS: g.states_for_all_nterms = 1; return; case DeclarationKind.DECLARE_LONGEST_MATCH: g.longest_match = 1; break; case DeclarationKind.DECLARE_ALL_MATCHES: g.longest_match = 0; break; case DeclarationKind.DECLARE_TOKENIZE: g.tokenizer = 1; break; case DeclarationKind.DECLARE_SAVE_PARSE_TREE: g.save_parse_tree = 1; return; default: d_fail("declare expects argument, line %d", line); } } switch (kind) { case DeclarationKind.DECLARE_WHITESPACE: g.default_white_space = s; return; case DeclarationKind.DECLARE_SET_OP_PRIORITY: d_fail("declare does not expect argument, line %d", line); break; default: new_declaration(g, new_ident(s, null), kind); break; } } D_Pass * find_pass(Grammar *g, const(char)[] name) { name = name.stripLeft(); foreach (p; g.passes) if (p.name == name) return p; return null; } void add_pass(Grammar *g, string name, uint kind, uint line) { if (find_pass(g, name)) d_fail("duplicate pass '%s' line %d", name, line); else { D_Pass *p = new D_Pass(); p.name = name; p.kind = kind; p.index = g.pass_index++; vec_add(&g.passes, p); } } void add_pass_code(Grammar *g, Rule *r, string name, string code, uint pass_line, uint code_line) { D_Pass *p = find_pass(g, name); if (!p) d_fail("unknown pass '%s' line %d", name, pass_line); while (r.pass_code.length <= p.index) vec_add(&r.pass_code, null); r.pass_code[p.index] = new Code(); r.pass_code[p.index].code = code; r.pass_code[p.index].line = code_line; } Production * new_internal_production(Grammar *g, Production *p) @safe { string n = p ? p.name : " _synthetic"; string name = n ~ "__" ~ g.productions.length.to!string(); Production *pp = new_production(g, name); pp.internal = InternalKind.INTERNAL_HIDDEN; pp.regex = p ? p.regex : 0; if (p) { bool found = false; Production *tp = null; for (int i = 0; i < g.productions.length; i++) { if (found) { Production *ttp = g.productions[i]; g.productions[i] = tp; tp = ttp; } else if (p == g.productions[i]) { found = true; tp = g.productions[i+1]; g.productions[i+1] = pp; i++; } } } return pp; } void conditional_EBNF(Grammar *g) { Production *pp = new_internal_production(g, g.p); pp.internal = InternalKind.INTERNAL_CONDITIONAL; Rule *rr = new_rule(g, pp); rr.elems ~= g.r.elems[$-1]; g.r.elems[$-1].rule = rr; rr.elems[$-1].rule = rr; pp.rules ~= rr; pp.rules ~= new_rule(g, pp); g.r.elems[$-1] = new_elem_nterm(pp, g.r); } void star_EBNF(Grammar *g) { Production *pp = new_internal_production(g, g.p); pp.internal = InternalKind.INTERNAL_STAR; Rule *rr = new_rule(g, pp); if (!g.right_recursive_BNF) { rr.elems ~= new_elem_nterm(pp, rr); rr.elems ~= g.r.elems[$-1]; g.r.elems[$-1] = new_elem_nterm(pp, g.r); rr.elems[$-1].rule = rr; } else { rr.elems ~= g.r.elems[$-1]; g.r.elems[$-1] = new_elem_nterm(pp, g.r); rr.elems[$-1].rule = rr; rr.elems ~= new_elem_nterm(pp, rr); } pp.rules ~= rr; pp.rules ~= new_rule(g, pp); } void plus_EBNF(Grammar *g) { Production *pp = new_internal_production(g, g.p); pp.internal = InternalKind.INTERNAL_PLUS; Rule *rr = new_rule(g, pp); Elem *elem = g.r.elems[$-1]; if (!g.right_recursive_BNF) { rr.elems ~= new_elem_nterm(pp, rr); rr.elems ~= dup_elem(elem, rr); g.r.elems[$-1] = new_elem_nterm(pp, g.r); if (g.r.rule_priority) { rr.rule_priority = g.r.rule_priority; rr.rule_assoc = AssocKind.ASSOC_NARY_LEFT; } } else { rr.elems ~= dup_elem(elem, rr); g.r.elems[$-1] = new_elem_nterm(pp, g.r); rr.elems ~= new_elem_nterm(pp, rr); if (g.r.rule_priority) { rr.rule_priority = g.r.rule_priority; rr.rule_assoc = AssocKind.ASSOC_NARY_RIGHT; } } pp.rules ~= rr; rr = new_rule(g, pp); rr.elems ~= elem; elem.rule = rr; pp.rules ~= rr; } void rep_EBNF(Grammar *g, int min, int max) { if (max < min) max = min; Production *pp = new_internal_production(g, g.p); Elem *elem = g.r.elems[$-1]; for (int i = min; i <= max; i++) { Rule *rr = new_rule(g, pp); for (int j = 0; j < i; j++) rr.elems ~= dup_elem(elem, rr); pp.rules ~= rr; } g.r.elems[$-1] = new_elem_nterm(pp, g.r); FREE(elem); } void initialize_productions(Grammar *g) @safe { Production *pp = new_production(g, "0 Start"); pp.internal = InternalKind.INTERNAL_HIDDEN; } void finish_productions(Grammar *g) { Production *pp = g.productions[0]; Rule *rr = new_rule(g, pp); rr.elems ~= new_elem_nterm(null, rr); pp.rules ~= rr; rr.elems[0].e.nterm = g.productions[1]; } Production* lookup_production(Grammar* g, const(char)[] name) @safe { foreach(p; g.productions) if (p.name == name) return p; return null; } private Term * lookup_token(Grammar *g, const(char)[] name) @safe { foreach(t; g.terminals) if (t.kind == TermKind.TERM_TOKEN && t.string_ == name) return t; return null; } private Term * unique_term(Grammar *g, Term *t) @safe { foreach (i; g.terminals) if (t.kind == i.kind && t.term_priority == i.term_priority && t.term_name == i.term_name && (!g.set_op_priority_from_rule || (t.op_assoc == i.op_assoc && t.op_priority == i.op_priority)) && t.string_ == i.string_) return i; return t; } private void compute_nullable(Grammar *g) { /* ensure that the trivial case is the first cause */ foreach(p; g.productions) { foreach (r; p.rules) if (!r.elems.length) { p.nullable = r; break; } } bool changed = true; /* transitive closure */ while (changed) { changed = false; foreach (p; g.productions) { if (!p.nullable) foreach (r; p.rules) { foreach (e; r.elems) { if (e.kind != ElemKind.ELEM_NTERM || !e.e.nterm.nullable) goto Lnot_nullable; } changed = true; p.nullable = r; break; } Lnot_nullable:; } } } /* verify and cleanup the grammar datastructures - resolve non-terminals - set element indexes */ private void resolve_grammar(Grammar *g) { Production *p, pp; Elem *e; Term *last_term, t; g.rule_index = 0; for (int i = 0; i < g.productions.length; i++) { p = g.productions[i]; if (p != lookup_production(g, p.name)) d_fail("duplicate production '%s'", p.name); p.index = i; foreach (r; p.rules) { r.index = g.rule_index++; last_term = null; for (int k = 0; k < r.elems.length; k++) { e = r.elems[k]; e.index = k; if (e.kind == ElemKind.ELEM_UNRESOLVED) { pp = lookup_production(g, e.e.unresolved); if (pp) { e.e.unresolved = null; e.kind = ElemKind.ELEM_NTERM; e.e.nterm = pp; } else { t = lookup_token(g, e.e.unresolved); if (t) { e.e.unresolved = null; e.kind = ElemKind.ELEM_TERM; e.e.term = t; } else { d_fail("unresolved identifier: '%s'", e.e.unresolved); } } } if (e.kind == ElemKind.ELEM_TERM) last_term = e.e.term; } r.end.index = cast(uint)r.elems.length; if (g.set_op_priority_from_rule) { if (last_term && r.rule_assoc) { last_term.op_assoc = r.rule_assoc; last_term.op_priority = r.rule_priority; } } } } for (int i = 0; i < g.terminals.length; i++) g.terminals[i].index = i; compute_nullable(g); } private void merge_identical_terminals(Grammar *g) { foreach (p; g.productions) { foreach (r; p.rules) { foreach (e; r.elems) { if (e.kind == ElemKind.ELEM_TERM) e.e.term = unique_term(g, e.e.term); } } } } void print_term(Term *t) { string s = t.string_ ? escape_string(t.string_) : null; if (t.term_name) logf("term_name(\"%s\") ", t.term_name); else if (t.kind == TermKind.TERM_STRING) { if (!t.string_.length) logf("<EOF> "); else logf("string(\"%s\") ", s); } else if (t.kind == TermKind.TERM_REGEX) { logf("regex(\"%s\") ", s); } else if (t.kind == TermKind.TERM_CODE) logf("code(\"%s\") ", s); else if (t.kind == TermKind.TERM_TOKEN) logf("token(\"%s\") ", s); else d_fail("unknown token kind"); } void print_elem(Elem *ee) { if (ee.kind == ElemKind.ELEM_TERM) print_term(ee.e.term); else if (ee.kind == ElemKind.ELEM_UNRESOLVED) logf("%s ", ee.e.unresolved); else logf("%s ", ee.e.nterm.name); } private string assoc_str(AssocKind e) { return [ AssocKind.ASSOC_NONE : "none", AssocKind.ASSOC_NARY_LEFT: "left" , AssocKind.ASSOC_NARY_RIGHT: "right" , AssocKind.ASSOC_UNARY_LEFT: "unary_left" , AssocKind.ASSOC_UNARY_RIGHT: "unary_right" , AssocKind.ASSOC_BINARY_LEFT: "binary_left" , AssocKind.ASSOC_BINARY_RIGHT: "binary_right" , AssocKind.ASSOC_NO: "noassoc"][e]; } void print_rule(Rule *r) { int k; logf("%s: ", r.prod.name); for (k = 0; k < r.elems.length; k++) print_elem(r.elems[k]); if (r.speculative_code.code) logf("SPECULATIVE_CODE\n%s\nEND CODE\n", r.speculative_code.code); if (r.final_code.code) logf("FINAL_CODE\n%s\nEND CODE\n", r.final_code.code); } void print_grammar(Grammar *g) { uint i, j, k; Production *pp; Rule *rr; if (!g.productions.length) return; logf("PRODUCTIONS\n\n"); for (i = 0; i < g.productions.length; i++) { pp = g.productions[i]; logf("%s (%d)\n", pp.name, i); for (j = 0; j < pp.rules.length; j++) { rr = pp.rules[j]; if (!j) logf("\t: "); else logf("\t| "); for (k = 0; k < rr.elems.length; k++) print_elem(rr.elems[k]); if (rr.op_priority) logf("op %d ", rr.op_priority); if (rr.op_assoc) logf("$%s ", assoc_str(rr.op_assoc)); if (rr.rule_priority) logf("rule %d ", rr.rule_priority); if (rr.rule_assoc) logf("$%s ", assoc_str(rr.rule_assoc)); if (rr.speculative_code.code) logf("%s ", rr.speculative_code.code); if (rr.final_code.code) logf("%s ", rr.final_code.code); logf("\n"); } logf("\t;\n"); logf("\n"); } logf("TERMINALS\n\n"); for (i = 0; i < g.terminals.length; i++) { logf("\t"); print_term(g.terminals[i]); logf("(%d)\n", i + g.productions.length); } logf("\n"); } private void print_item(Item *i) { int j, end = 1; logf("\t%s: ", i.rule.prod.name); for (j = 0; j < i.rule.elems.length; j++) { Elem *e = i.rule.elems[j]; if (i == e) { logf(". "); end = 0; } print_elem(e); } if (end) logf(". "); logf("\n"); } private void print_conflict(string kind, int *conflict) { if (!*conflict) { logf(" CONFLICT (before precedence and associativity)\n"); *conflict = 1; } logf("\t%s conflict ", kind); logf("\n"); } private void print_state(State *s) { int j, conflict = 0; writefln("STATE %d (%d ITEMS)%s", s.index, s.items.length, s.accept ? " ACCEPT" : ""); for (j = 0; j < s.items.length; j++) print_item(s.items[j]); if (s.gotos.length) logf(" GOTO\n"); for (j = 0; j < s.gotos.length; j++) { logf("\t"); print_elem(s.gotos[j].elem); logf(" : %d\n", s.gotos[j].state.index); } logf(" ACTION\n"); for (j = 0; j < s.reduce_actions.length; j++) { Action *a = s.reduce_actions[j]; writefln("\t%s\t", action_types[a.kind]); print_rule(a.rule); logf("\n"); } for (j = 0; j < s.shift_actions.length; j++) { Action *a = s.shift_actions[j]; writefln("\t%s\t", action_types[a.kind]); if (a.kind == ActionKind.ACTION_SHIFT) { print_term(a.term); logf("%d", a.state.index); } logf("\n"); } if (s.reduce_actions.length > 1) print_conflict("reduce/reduce", &conflict); if (s.reduce_actions.length && s.shift_actions.length) print_conflict("shift/reduce", &conflict); logf("\n"); } void print_states(Grammar *g) { int i; for (i = 0; i < g.states.length; i++) print_state(g.states[i]); } private bool state_for_declaration(Grammar *g, int iproduction) { foreach (d; g.declarations) if (d.kind == DeclarationKind.DECLARE_STATE_FOR && d.elem.e.nterm.index == iproduction) return true; return false; } private void make_elems_for_productions(Grammar *g) { int i, j, k, l; Rule *rr; Production *ppp; Production *pp = g.productions[0]; for (i = 0; i < g.productions.length; i++) if (!g.productions[i].internal) { if (g.states_for_all_nterms || state_for_declaration(g, i)) { /* try to find an existing elem */ for (j = 0; j < g.productions.length; j++) for (k = 0; k < g.productions[j].rules.length; k++) { rr = g.productions[j].rules[k]; for (l = 0; l < rr.elems.length; l++) if (rr.elems[l].e.nterm == g.productions[i]) { g.productions[i].elem = rr.elems[l]; break; } } if (j >= g.productions.length) { /* not found */ g.productions[i].elem = new_elem_nterm(g.productions[i], new_rule(g, pp)); g.productions[i].elem.rule.index = g.rule_index++; /* fake */ } } } if (!g.states_for_all_nterms && g.states_for_whitespace) { ppp = lookup_production(g, "whitespace"); if (ppp) { ppp.elem = new_elem_nterm(ppp, new_rule(g, pp)); ppp.elem.rule.index = g.rule_index++; /* fake */ } } } private void convert_regex_production_one(Grammar *g, Production *p) { size_t l; Rule *rr; if (p.regex_term) /* already done */ return; bool circular = false; if (p.in_regex) d_fail("circular regex production '%s'", p.name); p.in_regex = 1; foreach (r; p.rules) { if (r.final_code.code || (r.speculative_code.code && p.rules.length > 1)) d_fail("final and/or multi-rule code not permitted in regex productions '%s'", p.name); foreach (e; r.elems) { if (e.kind == ElemKind.ELEM_NTERM) { if (!e.e.nterm.regex) d_fail("regex production '%s' cannot invoke non-regex production '%s'", p.name, e.e.nterm.name); Production *pp = e.e.nterm; for (l = 0; l < pp.rules.length; l++) if (pp.rules[l].speculative_code.code || pp.rules[l].final_code.code) d_fail("code not permitted in rule %d of regex productions '%s'", l, p.name); if (p != pp) { convert_regex_production_one(g, pp); } else { circular = true; } } else { /* e.kind == ElemKind.ELEM_TERM */ if (e.e.term.kind == TermKind.TERM_CODE || e.e.term.kind == TermKind.TERM_TOKEN) d_fail("regex production '%s' cannot include scanners or tokens"); } } } string buffer; Term *t = new Term(); t.kind = TermKind.TERM_REGEX; t.index = cast(uint)g.terminals.length; t.regex_production = p; g.terminals ~= t; p.regex_term = t; p.regex_term.term_name = p.name; //Elem *e; if (circular) { /* attempt to match to regex operators */ if (p.rules.length != 2) Lfail: d_fail("unable to resolve circular regex production: '%s'", p.name); l = p.rules[0].elems.length + p.rules[1].elems.length; if (l == 2 || l == 3) { if (p.rules[0].elems.length != 2 && p.rules[1].elems.length != 2) goto Lfail; Rule *r = p.rules[0].elems.length == 2 ? p.rules[0] : p.rules[1]; rr = p.rules[0] == r ? p.rules[1] : p.rules[0]; if (r.elems[0].e.nterm != p && r.elems[1].e.nterm != p) goto Lfail; Elem *e = r.elems[0].e.nterm == p ? r.elems[1] : r.elems[1]; if (rr.elems.length && e.e.term_or_nterm != rr.elems[0].e.term_or_nterm) goto Lfail; t = e.kind == ElemKind.ELEM_TERM ? e.e.term : e.e.nterm.regex_term; buffer ~= '('; if (t.kind == TermKind.TERM_STRING) buffer ~= escape_string_for_regex(t.string_); else buffer ~= t.string_; buffer ~= ')'; if (l == 2) { buffer ~= '*'; } else { buffer ~= '+'; } p.regex_term.string_ = buffer; } else goto Lfail; } else { /* handle the base case, p = (r | r'), r = (e e') */ if (p.rules.length > 1) { buffer ~= '('; } for (int j = 0; j < p.rules.length; j++) { Rule *r = p.rules[j]; if (r.elems.length > 1) { buffer ~= '('; } foreach (e; r.elems) { t = e.kind == ElemKind.ELEM_TERM ? e.e.term : e.e.nterm.regex_term; if (t.kind == TermKind.TERM_STRING) buffer ~= escape_string_for_regex(t.string_); else buffer ~= t.string_; } if (r.elems.length > 1) { buffer ~= ')'; } if (j != p.rules.length - 1) { buffer ~= '|'; } } if (p.rules.length > 1) { buffer ~= ')'; } p.regex_term.string_ = buffer; } p.in_regex = 0; } private void convert_regex_productions(Grammar *g) { foreach (p; g.productions) { if (!p.regex) continue; convert_regex_production_one(g, p); } foreach (p; g.productions) { foreach (r; p.rules) { foreach (e; r.elems) { if (e.kind == ElemKind.ELEM_NTERM && e.e.nterm.regex_term) { e.e.term = e.e.nterm.regex_term; e.kind = ElemKind.ELEM_TERM; } } } } } private void check_default_actions(Grammar *g) { Production *pdefault; pdefault = lookup_production(g, "_"); if (pdefault && pdefault.rules.length > 1) d_fail("number of rules in default action != 1"); } struct EqState { State *eq; Rule *diff_rule; State *diff_state; } void build_eq(Grammar *g) { int i, j, k, changed = 1; State *s, ss; EqState *e, ee; EqState[] eq = new EqState[g.states.length]; while (changed) { changed = 0; for (i = 0; i < g.states.length; i++) { s = g.states[i]; e = &eq[s.index]; for (j = i + 1; j < g.states.length; j++) { ss = g.states[j]; ee = &eq[ss.index]; if (e.eq || ee.eq) continue; if (s.same_shifts != ss.same_shifts && ss.same_shifts != s) continue; /* check gotos */ if (s.gotos.length != ss.gotos.length) continue; for (k = 0; k < s.gotos.length; k++) { if (elem_symbol(g, s.gotos[k].elem) != elem_symbol(g, ss.gotos[k].elem)) goto Lcontinue; if (s.gotos[k].state != ss.gotos[k].state) { EqState *ge = &eq[s.gotos[k].state.index]; EqState *gee = &eq[ss.gotos[k].state.index]; if (ge.eq != ss.gotos[k].state && gee.eq != s.gotos[k].state) goto Lcontinue; if ((ee.diff_state && ee.diff_state != eq[ss.gotos[k].state.index].eq) || (e.diff_state && e.diff_state != eq[s.gotos[k].state.index].eq)) goto Lcontinue; /* allow one different state */ ee.diff_state = ss.gotos[k].state; e.diff_state = s.gotos[k].state; } } /* check reductions */ if (s.reduce_actions.length != ss.reduce_actions.length) continue; for (k = 0; k < s.reduce_actions.length; k++) { if (s.reduce_actions[k].rule == ss.reduce_actions[k].rule) continue; if (s.reduce_actions[k].rule.prod != ss.reduce_actions[k].rule.prod) goto Lcontinue; if (s.reduce_actions[k].rule.elems.length != ss.reduce_actions[k].rule.elems.length) { if ((ee.diff_rule && ee.diff_rule != ss.reduce_actions[k].rule) || (e.diff_rule && e.diff_rule != s.reduce_actions[k].rule)) goto Lcontinue; /* allow one different rule */ ee.diff_rule = ss.reduce_actions[k].rule; e.diff_rule = s.reduce_actions[k].rule; } } ee.eq = s; changed = 1; Lcontinue:; } } } for (i = 0; i < g.states.length; i++) { s = g.states[i]; e = &eq[s.index]; if (e.eq) { if (!__ctfe && d_verbose_level > 2) { logf("eq %d %d ", s.index, e.eq.index); if (e.diff_state) logf("diff state (%d %d) ", e.diff_state.index, eq[e.eq.index].diff_state.index); if (e.diff_rule) { logf("diff rule "); logf("[ "); print_rule(e.diff_rule); logf("][ "); print_rule(eq[e.eq.index].diff_rule); logf("]"); } logf("\n"); } } } for (i = 0; i < g.states.length; i++) { s = g.states[i]; e = &eq[s.index]; if (e.eq && e.diff_state) { if (eq[e.diff_state.index].diff_rule && eq[e.diff_state.index].diff_rule.elems.length == 2) { s.reduces_to = e.eq; s.reduces_with = eq[e.eq.index].diff_rule; s.reduces_to_then_with = e.diff_rule; } else if (eq[eq[e.eq.index].diff_state.index].diff_rule && eq[eq[e.eq.index].diff_state.index].diff_rule.elems.length == 2) { e.eq.reduces_to = s; s.reduces_with = e.diff_rule; s.reduces_to_then_with = eq[e.eq.index].diff_rule; } } } for (i = 0; i < g.states.length; i++) { s = g.states[i]; if (s.reduces_to) if (d_verbose_level) logf("reduces_to %d %d\n", s.index, s.reduces_to.index); } } Grammar * new_D_Grammar() { return new Grammar(); } private void free_rule(Rule *r) { int i; FREE(r.end); vec_free(&r.pass_code); FREE(r); } void free_D_Grammar(Grammar *g) { int i, j, k; for (i = 0; i < g.productions.length; i++) { Production *p = g.productions[i]; for (j = 0; j < p.rules.length; j++) { Rule *r = p.rules[j]; if (r == g.r) g.r = null; for (k = 0; k < r.elems.length; k++) { Elem *e = r.elems[k]; if (e == p.elem) p.elem = null; FREE(e); } if (r.end == p.elem) p.elem = null; free_rule(r); } if (p.elem) { free_rule(p.elem.rule); FREE(p.elem); } FREE(p); } for (i = 0; i < g.actions.length; i++) free_Action(g.actions[i]); for (i = 0; i < g.states.length; i++) { State *s = g.states[i]; for (j = 0; j < s.gotos.length; j++) { FREE(s.gotos[j].elem); FREE(s.gotos[j]); } for (j = 0; j < s.right_epsilon_hints.length; j++) FREE(s.right_epsilon_hints[j]); vec_free(&s.right_epsilon_hints); for (j = 0; j < s.error_recovery_hints.length; j++) FREE(s.error_recovery_hints[j]); vec_free(&s.error_recovery_hints); if (!s.same_shifts) { for (j = 0; j < s.scanner.states.length; j++) { vec_free(&s.scanner.states[j].accepts); vec_free(&s.scanner.states[j].live); FREE(s.scanner.states[j]); } for (j = 0; j < s.scanner.transitions.length; j++) if (s.scanner.transitions[j]) { vec_free(&s.scanner.transitions[j].live_diff); vec_free(&s.scanner.transitions[j].accepts_diff); FREE(s.scanner.transitions[j]); } vec_free(&s.scanner.transitions); } FREE(s); } for (i = 0; i < g.declarations.length; i++) { FREE(g.declarations[i].elem); FREE(g.declarations[i]); } for (i = 0; i < g.passes.length; i++) { FREE(g.passes[i]); } vec_free(&g.passes); FREE(g); } private int scanner_declaration(Declaration *d) { switch (d.kind) { case DeclarationKind.DECLARE_TOKENIZE: case DeclarationKind.DECLARE_LONGEST_MATCH: case DeclarationKind.DECLARE_ALL_MATCHES: return 1; default: return 0; } } private void set_declaration_group(Production *p, Production *root, Declaration *d) { if (p.declaration_group[d.kind] == root) return; if (d.kind == DeclarationKind.DECLARE_TOKENIZE && p.declaration_group[d.kind]) { d_fail("shared tokenize subtrees"); return; } p.declaration_group[d.kind] = root; p.last_declaration[d.kind] = d; foreach (r; p.rules) { foreach (e; r.elems) if (e.kind == ElemKind.ELEM_NTERM) set_declaration_group(e.e.nterm, root, d); } } private void propogate_declarations(Grammar *g) { Production *start = g.productions[0]; /* global defaults */ if (g.tokenizer) new_declaration(g, new_elem_nterm(g.productions[0], null), DeclarationKind.DECLARE_TOKENIZE); if (g.longest_match) new_declaration(g, new_elem_nterm(g.productions[0], null), DeclarationKind.DECLARE_LONGEST_MATCH); /* resolve declarations */ foreach (d; g.declarations) { Elem *e = d.elem; if (e.kind == ElemKind.ELEM_UNRESOLVED) { Production *p; if (e.e.unresolved.length == 0) p = g.productions[0]; else { p = lookup_production(g, e.e.unresolved); if (!p) d_fail("unresolved declaration '%s'", e.e.unresolved); } e.e.unresolved = null; e.kind = ElemKind.ELEM_NTERM; e.e.nterm = p; } } /* build declaration groups (covering a production subtrees) */ foreach (d; g.declarations) { if (scanner_declaration(d)) { Production *p = d.elem.e.nterm; if (p == start) { foreach (pp; g.productions) { pp.declaration_group[d.kind] = start; pp.last_declaration[d.kind] = d; } } else set_declaration_group(p, p, d); } } /* set terminal scan_kind */ foreach (p; g.productions) { foreach (r; p.rules) { foreach (e; r.elems) { if (e.kind == ElemKind.ELEM_TERM) { if (!p.declaration_group[DeclarationKind.DECLARE_LONGEST_MATCH] && !p.declaration_group[DeclarationKind.DECLARE_ALL_MATCHES]) e.e.term.scan_kind = D_SCAN_DEFAULT; else if (p.declaration_group[DeclarationKind.DECLARE_LONGEST_MATCH] && !p.declaration_group[DeclarationKind.DECLARE_ALL_MATCHES]) e.e.term.scan_kind = D_SCAN_LONGEST; else if (!p.declaration_group[DeclarationKind.DECLARE_LONGEST_MATCH] && p.declaration_group[DeclarationKind.DECLARE_ALL_MATCHES]) e.e.term.scan_kind = D_SCAN_ALL; else { if (p.last_declaration[DeclarationKind.DECLARE_LONGEST_MATCH].index > p.last_declaration[DeclarationKind.DECLARE_ALL_MATCHES].index) e.e.term.scan_kind = D_SCAN_LONGEST; else e.e.term.scan_kind = D_SCAN_ALL; } } } } } } private void merge_shift_actions(State *to, State *from) { foreach (f; from.shift_actions) { foreach (t; to.shift_actions) if (f.term == t.term) goto Lnext; to.shift_actions ~= f; Lnext:; } } private void compute_declaration_states(Grammar *g, Production *p, Declaration *d) { State *base_s = null; int scanner = scanner_declaration(d); foreach (s; g.states) { if (d.kind == DeclarationKind.DECLARE_TOKENIZE) { if (!base_s) base_s = s; else { s.same_shifts = base_s; merge_shift_actions(base_s, s); } } if (scanner) { foreach (k; s.items) if (k.kind == ElemKind.ELEM_TERM) switch (k.e.term.scan_kind) { case D_SCAN_LONGEST: if (s.scan_kind == D_SCAN_RESERVED || s.scan_kind == D_SCAN_LONGEST) s.scan_kind = D_SCAN_LONGEST; else s.scan_kind = D_SCAN_MIXED; break; case D_SCAN_ALL: if (s.scan_kind == D_SCAN_RESERVED || s.scan_kind == D_SCAN_ALL) s.scan_kind = D_SCAN_ALL; else s.scan_kind = D_SCAN_MIXED; break; default: break; } } } } private void map_declarations_to_states(Grammar *g) { foreach (s; g.states) { s.scan_kind = D_SCAN_RESERVED; } /* map groups to sets of states */ foreach (d; g.declarations) if (scanner_declaration(d)) compute_declaration_states(g, d.elem.e.nterm, d); foreach (s; g.states) { if (s.scan_kind == D_SCAN_RESERVED) s.scan_kind = D_SCAN_DEFAULT; /* set the default */ } } int build_grammar(Grammar *g) { resolve_grammar(g); convert_regex_productions(g); propogate_declarations(g); merge_identical_terminals(g); make_elems_for_productions(g); check_default_actions(g); build_LR_tables(g); map_declarations_to_states(g); if (!__ctfe && d_verbose_level) { logf("%d productions %d terminals %d states %d declarations\n", g.productions.length, g.terminals.length, g.states.length, g.declarations.length); } if (!__ctfe && d_verbose_level > 1) { print_grammar(g); print_states(g); } build_scanners(g); build_eq(g); return 0; } /* Wlodek Bzyl, <matwb@univ.gda.pl> */ private void print_term_escaped(Term *t, int double_escaped) { string s; if (t.term_name) { logf("%s ", t.term_name); } else if (t.kind == TermKind.TERM_STRING) { s = t.string_ ? escape_string_single_quote(t.string_) : null; if (!t.string_) logf("<EOF> "); else { logf("'%s' ", double_escaped ? escape_string_single_quote(s) : s); if (t.ignore_case) logf("/i "); if (t.term_priority) writefln("%sterm %d ", double_escaped?"#":"$", t.term_priority); } } else if (t.kind == TermKind.TERM_REGEX) { s = t.string_ ? escape_string(t.string_) : null; //char *s = t.string_; // ? escape_string(t.string_) : null; string quote = double_escaped ? "\\\"" : "\""; logf("%s%s%s ", quote, double_escaped ? escape_string(s) : s, quote); if (t.ignore_case) logf("/i "); if (t.term_priority) writefln("%sterm %d ", double_escaped?"#":"$", t.term_priority); } else if (t.kind == TermKind.TERM_CODE) { s = t.string_ ? escape_string(t.string_) : null; logf("code(\"%s\") ", s); } else if (t.kind == TermKind.TERM_TOKEN) { s = t.string_ ? escape_string(t.string_) : null; logf("%s ", s); } else d_fail("unknown token kind"); } /* print_elem changed to call print_term_escaped */ private void print_element_escaped(Elem *ee, int double_escaped) { if (ee.kind == ElemKind.ELEM_TERM) print_term_escaped(ee.e.term, double_escaped); else if (ee.kind == ElemKind.ELEM_UNRESOLVED) logf("%s ", ee.e.unresolved); else logf("%s ", ee.e.nterm.name); } private void print_production(Production *p) { uint j, k; Rule *r; string[] opening = [ "" , "\n\t [ logf(\"" , "\n\t { logf(\"" ]; string[] closing = [ "\n" , "\\n\"); ]\n" , "\\n\"); }\n" ]; string[] middle = [ "\n\t: ", " <- " , " <= " ]; string[] assoc = [ "$" , "#" , "#" ]; string speculative_final_closing = "\\n\"); ]"; /* closing[1] without final newline */ string next_or_rule = "\t| "; // char *regex_production = " ::= "; uint variant = 0; for (j = 0; j < p.rules.length; j++) { Lmore: r = p.rules[j]; if (!j) { // if (p.regex) { // logf("%s%s%s", opening[variant], p.name, regex_production); // } else { writefln("%s%s%s", opening[variant], p.name, middle[variant]); // } } else { if (variant==0) writefln("%s", next_or_rule); else writefln("%s%s%s", opening[variant], p.name, middle[variant]); } for (k = 0; k < r.elems.length; k++) print_element_escaped(r.elems[k], variant); if (r.op_assoc) writefln(" %s%s ", assoc[variant], assoc_str(r.op_assoc)); if (r.op_priority) writefln("%d ", r.op_priority); if (r.rule_assoc) writefln(" %s%s ", assoc[variant], assoc_str(r.rule_assoc)); if (r.rule_priority) writefln("%d ", r.rule_priority); if ((d_rdebug_grammar_level == 1 && variant == 0) || (d_rdebug_grammar_level == 3 && variant == 0)) { variant=1; goto Lmore; } if ((d_rdebug_grammar_level == 2 && variant == 0) || (d_rdebug_grammar_level == 3 && variant == 1)) { if (variant==1) writefln("%s", speculative_final_closing); variant=2; goto Lmore; } writefln("%s", closing[variant]); variant = 0; } logf("\t;\n"); logf("\n"); } private void print_productions(Grammar *g) { uint i; if (!g.productions.length) { logf("/*\n There were no productions in the grammar\n*/\n"); return; } for (i = 1; i < g.productions.length; i++) print_production(g.productions[i]); } private void print_declare(string s, string n) { while(n.length && (n[0].isWhite() || n[0].isDigit())) n = n[1 .. $]; logf(s, n); } private void print_declarations(Grammar *g) { int i; if (g.tokenizer) logf("${declare tokenize}\n"); for (i = 0; i < g.declarations.length; i++) { Declaration *dd = g.declarations[i]; Elem *ee = dd.elem; switch (dd.kind) { case DeclarationKind.DECLARE_LONGEST_MATCH: if (g.longest_match) logf("${declare longest_match}\n"); else print_declare("${declare longest_match %s}\n", ee.e.nterm.name); break; case DeclarationKind.DECLARE_ALL_MATCHES: if (!g.longest_match) logf("${declare all_matches}\n"); else print_declare("${declare all_matches %s}\n", ee.e.nterm.name); break; default: logf("\n/*\nDeclaration.kind: %d", dd.kind); logf("\nElem.kind: %d\n*/\n", ee.kind); } } if (g.set_op_priority_from_rule) logf("${declare set_op_priority_from_rule}\n"); if (g.states_for_all_nterms) logf("${declare all_subparsers}\n"); /* todo: DeclarationKind.DECLARE_STATE_FOR */ if (g.default_white_space) logf("${declare whitespace %s}\n", g.default_white_space); if (g.save_parse_tree) logf("${declare save_parse_tree}\n"); /* todo: DECLARE_NUM */ if (g.scanner.code) logf("${scanner %s}\n", g.scanner.code); { int token_exists = 0; for (i = 0; i < g.terminals.length; i++) { Term *t = g.terminals[i]; if (t.kind == TermKind.TERM_TOKEN) { writefln("%s %s", token_exists?"":"${token", t.string_); token_exists = 1; } } if (token_exists) logf("}\n"); } logf("\n"); } void print_rdebug_grammar(Grammar *g) { logf("/*\n Generated by Make DParser\n"); logf(" Available at http://dparser.sf.net\n*/\n\n"); print_declarations(g); print_productions(g); }
D
module database.portaldatabase; import std.file; import std.array : replace, split; import std.conv : parse; private struct PortalPoint { ushort startMap; ushort startX; ushort startY; ushort endMap; ushort endX; ushort endY; this(ushort sm, ushort sx, ushort sy, ushort em, ushort ex, ushort ey) { startMap = sm; startX = sx; startY = sy; endMap = em; endX = ex; endY = ey; } } alias pp = PortalPoint[]; private shared pp[ushort] _portals; void addPortal(ushort sMap, ushort sX, ushort sY, ushort eMap, ushort eX, ushort eY) { synchronized { auto portals = cast(pp[ushort])_portals; portals[sMap] ~= PortalPoint(sMap,sX,sY,eMap,eX,eY); _portals = cast(shared(pp[ushort]))portals; } } import maps.mappoint; MapPoint getPortal(ushort sMap, ushort sX, ushort sY) { synchronized { auto portals = cast(pp[ushort])_portals; import maps.space; import std.algorithm : filter; import std.array; auto matches = filter!((e) => inRange!ushort(sX, sY, e.startX, e.startY, 5) && sMap == e.startMap)(portals[sMap]).array; if (!matches || matches.length == 0) return MapPoint(0,0,0); auto p = matches.front; return MapPoint(p.endMap, p.endX, p.endY); } } /** * Loads portal info. */ void loadPortals() { auto text = readText("database\\game\\misc\\portals.ini"); text = replace(text, "\r", ""); foreach (line; split(text, "\n")) { if (line && line.length) { auto data = split(line, "-"); addPortal( // start parse!ushort(data[0]), parse!ushort(data[1]), parse!ushort(data[2]), // end parse!ushort(data[3]), parse!ushort(data[4]), parse!ushort(data[5]) ); } } }
D
module UnrealScript.Engine.ShadowMap2D; import ScriptClasses; import UnrealScript.Helpers; import UnrealScript.Core.UObject; import UnrealScript.Engine.ShadowMapTexture2D; extern(C++) interface ShadowMap2D : UObject { public extern(D): private static __gshared ScriptClass mStaticClass; @property final static ScriptClass StaticClass() { mixin(MGSCC("Class Engine.ShadowMap2D")); } private static __gshared ShadowMap2D mDefaultProperties; @property final static ShadowMap2D DefaultProperties() { mixin(MGDPC("ShadowMap2D", "ShadowMap2D Engine.Default__ShadowMap2D")); } @property final { auto ref { int InstanceIndex() { mixin(MGPC("int", 104)); } // ERROR: Unsupported object class 'ComponentProperty' for the property named 'Component'! UObject.Guid LightGuid() { mixin(MGPC("UObject.Guid", 80)); } UObject.Vector2D CoordinateBias() { mixin(MGPC("UObject.Vector2D", 72)); } UObject.Vector2D CoordinateScale() { mixin(MGPC("UObject.Vector2D", 64)); } ShadowMapTexture2D TextureVar() { mixin(MGPC("ShadowMapTexture2D", 60)); } } bool bIsShadowFactorTexture() { mixin(MGBPC(96, 0x1)); } bool bIsShadowFactorTexture(bool val) { mixin(MSBPC(96, 0x1)); } } }
D
(window.webpackJsonp=window.webpackJsonp||[]).push([[17],{1628:function(e,t,n){var r;e.exports=(r=r||function(e,t){var n=Object.create||function(){function e(){}return function(t){var n;return e.prototype=t,n=new e,e.prototype=null,n}}(),r={},o=r.lib={},i=o.Base={extend:function(e){var t=n(this);return e&&t.mixIn(e),t.hasOwnProperty("init")&&this.init!==t.init||(t.init=function(){t.$super.init.apply(this,arguments)}),t.init.prototype=t,t.$super=this,t},create:function(){var e=this.extend();return e.init.apply(e,arguments),e},init:function(){},mixIn:function(e){for(var t in e)e.hasOwnProperty(t)&&(this[t]=e[t]);e.hasOwnProperty("toString")&&(this.toString=e.toString)},clone:function(){return this.init.prototype.extend(this)}},a=o.WordArray=i.extend({init:function(e,t){e=this.words=e||[],this.sigBytes=null!=t?t:4*e.length},toString:function(e){return(e||l).stringify(this)},concat:function(e){var t=this.words,n=e.words,r=this.sigBytes,o=e.sigBytes;if(this.clamp(),r%4)for(var i=0;i<o;i++){var a=n[i>>>2]>>>24-i%4*8&255;t[r+i>>>2]|=a<<24-(r+i)%4*8}else for(var i=0;i<o;i+=4)t[r+i>>>2]=n[i>>>2];return this.sigBytes+=o,this},clamp:function(){var t=this.words,n=this.sigBytes;t[n>>>2]&=4294967295<<32-n%4*8,t.length=e.ceil(n/4)},clone:function(){var e=i.clone.call(this);return e.words=this.words.slice(0),e},random:function(t){for(var n,r=[],o=function(t){var t=t,n=987654321,r=4294967295;return function(){var o=((n=36969*(65535&n)+(n>>16)&r)<<16)+(t=18e3*(65535&t)+(t>>16)&r)&r;return o/=4294967296,(o+=.5)*(e.random()>.5?1:-1)}},i=0;i<t;i+=4){var s=o(4294967296*(n||e.random()));n=987654071*s(),r.push(4294967296*s()|0)}return new a.init(r,t)}}),s=r.enc={},l=s.Hex={stringify:function(e){for(var t=e.words,n=e.sigBytes,r=[],o=0;o<n;o++){var i=t[o>>>2]>>>24-o%4*8&255;r.push((i>>>4).toString(16)),r.push((15&i).toString(16))}return r.join("")},parse:function(e){for(var t=e.length,n=[],r=0;r<t;r+=2)n[r>>>3]|=parseInt(e.substr(r,2),16)<<24-r%8*4;return new a.init(n,t/2)}},c=s.Latin1={stringify:function(e){for(var t=e.words,n=e.sigBytes,r=[],o=0;o<n;o++){var i=t[o>>>2]>>>24-o%4*8&255;r.push(String.fromCharCode(i))}return r.join("")},parse:function(e){for(var t=e.length,n=[],r=0;r<t;r++)n[r>>>2]|=(255&e.charCodeAt(r))<<24-r%4*8;return new a.init(n,t)}},u=s.Utf8={stringify:function(e){try{return decodeURIComponent(escape(c.stringify(e)))}catch(e){throw new Error("Malformed UTF-8 data")}},parse:function(e){return c.parse(unescape(encodeURIComponent(e)))}},p=o.BufferedBlockAlgorithm=i.extend({reset:function(){this._data=new a.init,this._nDataBytes=0},_append:function(e){"string"==typeof e&&(e=u.parse(e)),this._data.concat(e),this._nDataBytes+=e.sigBytes},_process:function(t){var n=this._data,r=n.words,o=n.sigBytes,i=this.blockSize,s=4*i,l=o/s,c=(l=t?e.ceil(l):e.max((0|l)-this._minBufferSize,0))*i,u=e.min(4*c,o);if(c){for(var p=0;p<c;p+=i)this._doProcessBlock(r,p);var d=r.splice(0,c);n.sigBytes-=u}return new a.init(d,u)},clone:function(){var e=i.clone.call(this);return e._data=this._data.clone(),e},_minBufferSize:0}),d=(o.Hasher=p.extend({cfg:i.extend(),init:function(e){this.cfg=this.cfg.extend(e),this.reset()},reset:function(){p.reset.call(this),this._doReset()},update:function(e){return this._append(e),this._process(),this},finalize:function(e){e&&this._append(e);var t=this._doFinalize();return t},blockSize:16,_createHelper:function(e){return function(t,n){return new e.init(n).finalize(t)}},_createHmacHelper:function(e){return function(t,n){return new d.HMAC.init(e,n).finalize(t)}}}),r.algo={});return r}(Math),r)},1629:function(e,t,n){e.exports=function(){"use strict";var e=navigator.userAgent,t=navigator.platform,n=/gecko\/\d/i.test(e),r=/MSIE \d/.test(e),o=/Trident\/(?:[7-9]|\d{2,})\..*rv:(\d+)/.exec(e),i=/Edge\/(\d+)/.exec(e),a=r||o||i,s=a&&(r?document.documentMode||6:+(i||o)[1]),l=!i&&/WebKit\//.test(e),c=l&&/Qt\/\d+\.\d+/.test(e),u=!i&&/Chrome\//.test(e),p=/Opera\//.test(e),d=/Apple Computer/.test(navigator.vendor),f=/Mac OS X 1\d\D([8-9]|\d\d)\D/.test(e),h=/PhantomJS/.test(e),m=!i&&/AppleWebKit/.test(e)&&/Mobile\/\w+/.test(e),b=/Android/.test(e),g=m||b||/webOS|BlackBerry|Opera Mini|Opera Mobi|IEMobile/i.test(e),_=m||/Mac/.test(t),v=/\bCrOS\b/.test(e),y=/win/i.test(t),w=p&&e.match(/Version\/(\d*\.\d*)/);w&&(w=Number(w[1])),w&&w>=15&&(p=!1,l=!0);var x=_&&(c||p&&(null==w||w<12.11)),k=n||a&&s>=9;function C(e){return new RegExp("(^|\\s)"+e+"(?:$|\\s)\\s*")}var E,O=function(e,t){var n=e.className,r=C(t).exec(n);if(r){var o=n.slice(r.index+r[0].length);e.className=n.slice(0,r.index)+(o?r[1]+o:"")}};function T(e){for(var t=e.childNodes.length;t>0;--t)e.removeChild(e.firstChild);return e}function S(e,t){return T(e).appendChild(t)}function P(e,t,n,r){var o=document.createElement(e);if(n&&(o.className=n),r&&(o.style.cssText=r),"string"==typeof t)o.appendChild(document.createTextNode(t));else if(t)for(var i=0;i<t.length;++i)o.appendChild(t[i]);return o}function M(e,t,n,r){var o=P(e,t,n,r);return o.setAttribute("role","presentation"),o}function D(e,t){if(3==t.nodeType&&(t=t.parentNode),e.contains)return e.contains(t);do{if(11==t.nodeType&&(t=t.host),t==e)return!0}while(t=t.parentNode)}function A(){var e;try{e=document.activeElement}catch(t){e=document.body||null}for(;e&&e.shadowRoot&&e.shadowRoot.activeElement;)e=e.shadowRoot.activeElement;return e}function R(e,t){var n=e.className;C(t).test(n)||(e.className+=(n?" ":"")+t)}function L(e,t){for(var n=e.split(" "),r=0;r<n.length;r++)n[r]&&!C(n[r]).test(t)&&(t+=" "+n[r]);return t}E=document.createRange?function(e,t,n,r){var o=document.createRange();return o.setEnd(r||e,n),o.setStart(e,t),o}:function(e,t,n){var r=document.body.createTextRange();try{r.moveToElementText(e.parentNode)}catch(e){return r}return r.collapse(!0),r.moveEnd("character",n),r.moveStart("character",t),r};var I=function(e){e.select()};function F(e){var t=Array.prototype.slice.call(arguments,1);return function(){return e.apply(null,t)}}function j(e,t,n){for(var r in t||(t={}),e)!e.hasOwnProperty(r)||!1===n&&t.hasOwnProperty(r)||(t[r]=e[r]);return t}function N(e,t,n,r,o){null==t&&-1==(t=e.search(/[^\s\u00a0]/))&&(t=e.length);for(var i=r||0,a=o||0;;){var s=e.indexOf("\t",i);if(s<0||s>=t)return a+(t-i);a+=s-i,a+=n-a%n,i=s+1}}m?I=function(e){e.selectionStart=0,e.selectionEnd=e.value.length}:a&&(I=function(e){try{e.select()}catch(e){}});var B=function(){this.id=null};function U(e,t){for(var n=0;n<e.length;++n)if(e[n]==t)return n;return-1}B.prototype.set=function(e,t){clearTimeout(this.id),this.id=setTimeout(t,e)};var W=30,H={toString:function(){return"CodeMirror.Pass"}},$={scroll:!1},z={origin:"*mouse"},q={origin:"+move"};function K(e,t,n){for(var r=0,o=0;;){var i=e.indexOf("\t",r);-1==i&&(i=e.length);var a=i-r;if(i==e.length||o+a>=t)return r+Math.min(a,t-o);if(o+=i-r,r=i+1,(o+=n-o%n)>=t)return r}}var G=[""];function V(e){for(;G.length<=e;)G.push(X(G)+" ");return G[e]}function X(e){return e[e.length-1]}function Y(e,t){for(var n=[],r=0;r<e.length;r++)n[r]=t(e[r],r);return n}function J(){}function Q(e,t){var n;return Object.create?n=Object.create(e):(J.prototype=e,n=new J),t&&j(t,n),n}var Z=/[\u00df\u0587\u0590-\u05f4\u0600-\u06ff\u3040-\u309f\u30a0-\u30ff\u3400-\u4db5\u4e00-\u9fcc\uac00-\ud7af]/;function ee(e){return/\w/.test(e)||e>"€"&&(e.toUpperCase()!=e.toLowerCase()||Z.test(e))}function te(e,t){return t?!!(t.source.indexOf("\\w")>-1&&ee(e))||t.test(e):ee(e)}function ne(e){for(var t in e)if(e.hasOwnProperty(t)&&e[t])return!1;return!0}var re=/[\u0300-\u036f\u0483-\u0489\u0591-\u05bd\u05bf\u05c1\u05c2\u05c4\u05c5\u05c7\u0610-\u061a\u064b-\u065e\u0670\u06d6-\u06dc\u06de-\u06e4\u06e7\u06e8\u06ea-\u06ed\u0711\u0730-\u074a\u07a6-\u07b0\u07eb-\u07f3\u0816-\u0819\u081b-\u0823\u0825-\u0827\u0829-\u082d\u0900-\u0902\u093c\u0941-\u0948\u094d\u0951-\u0955\u0962\u0963\u0981\u09bc\u09be\u09c1-\u09c4\u09cd\u09d7\u09e2\u09e3\u0a01\u0a02\u0a3c\u0a41\u0a42\u0a47\u0a48\u0a4b-\u0a4d\u0a51\u0a70\u0a71\u0a75\u0a81\u0a82\u0abc\u0ac1-\u0ac5\u0ac7\u0ac8\u0acd\u0ae2\u0ae3\u0b01\u0b3c\u0b3e\u0b3f\u0b41-\u0b44\u0b4d\u0b56\u0b57\u0b62\u0b63\u0b82\u0bbe\u0bc0\u0bcd\u0bd7\u0c3e-\u0c40\u0c46-\u0c48\u0c4a-\u0c4d\u0c55\u0c56\u0c62\u0c63\u0cbc\u0cbf\u0cc2\u0cc6\u0ccc\u0ccd\u0cd5\u0cd6\u0ce2\u0ce3\u0d3e\u0d41-\u0d44\u0d4d\u0d57\u0d62\u0d63\u0dca\u0dcf\u0dd2-\u0dd4\u0dd6\u0ddf\u0e31\u0e34-\u0e3a\u0e47-\u0e4e\u0eb1\u0eb4-\u0eb9\u0ebb\u0ebc\u0ec8-\u0ecd\u0f18\u0f19\u0f35\u0f37\u0f39\u0f71-\u0f7e\u0f80-\u0f84\u0f86\u0f87\u0f90-\u0f97\u0f99-\u0fbc\u0fc6\u102d-\u1030\u1032-\u1037\u1039\u103a\u103d\u103e\u1058\u1059\u105e-\u1060\u1071-\u1074\u1082\u1085\u1086\u108d\u109d\u135f\u1712-\u1714\u1732-\u1734\u1752\u1753\u1772\u1773\u17b7-\u17bd\u17c6\u17c9-\u17d3\u17dd\u180b-\u180d\u18a9\u1920-\u1922\u1927\u1928\u1932\u1939-\u193b\u1a17\u1a18\u1a56\u1a58-\u1a5e\u1a60\u1a62\u1a65-\u1a6c\u1a73-\u1a7c\u1a7f\u1b00-\u1b03\u1b34\u1b36-\u1b3a\u1b3c\u1b42\u1b6b-\u1b73\u1b80\u1b81\u1ba2-\u1ba5\u1ba8\u1ba9\u1c2c-\u1c33\u1c36\u1c37\u1cd0-\u1cd2\u1cd4-\u1ce0\u1ce2-\u1ce8\u1ced\u1dc0-\u1de6\u1dfd-\u1dff\u200c\u200d\u20d0-\u20f0\u2cef-\u2cf1\u2de0-\u2dff\u302a-\u302f\u3099\u309a\ua66f-\ua672\ua67c\ua67d\ua6f0\ua6f1\ua802\ua806\ua80b\ua825\ua826\ua8c4\ua8e0-\ua8f1\ua926-\ua92d\ua947-\ua951\ua980-\ua982\ua9b3\ua9b6-\ua9b9\ua9bc\uaa29-\uaa2e\uaa31\uaa32\uaa35\uaa36\uaa43\uaa4c\uaab0\uaab2-\uaab4\uaab7\uaab8\uaabe\uaabf\uaac1\uabe5\uabe8\uabed\udc00-\udfff\ufb1e\ufe00-\ufe0f\ufe20-\ufe26\uff9e\uff9f]/;function oe(e){return e.charCodeAt(0)>=768&&re.test(e)}function ie(e,t,n){for(;(n<0?t>0:t<e.length)&&oe(e.charAt(t));)t+=n;return t}function ae(e,t,n){for(var r=t>n?-1:1;;){if(t==n)return t;var o=(t+n)/2,i=r<0?Math.ceil(o):Math.floor(o);if(i==t)return e(i)?t:n;e(i)?n=i:t=i+r}}var se=null;function le(e,t,n){var r;se=null;for(var o=0;o<e.length;++o){var i=e[o];if(i.from<t&&i.to>t)return o;i.to==t&&(i.from!=i.to&&"before"==n?r=o:se=o),i.from==t&&(i.from!=i.to&&"before"!=n?r=o:se=o)}return null!=r?r:se}var ce=function(){var e="bbbbbbbbbtstwsbbbbbbbbbbbbbbssstwNN%%%NNNNNN,N,N1111111111NNNNNNNLLLLLLLLLLLLLLLLLLLLLLLLLLNNNNNNLLLLLLLLLLLLLLLLLLLLLLLLLLNNNNbbbbbbsbbbbbbbbbbbbbbbbbbbbbbbbbb,N%%%%NNNNLNNNNN%%11NLNNN1LNNNNNLLLLLLLLLLLLLLLLLLLLLLLNLLLLLLLLLLLLLLLLLLLLLLLLLLLLLLLN",t="nnnnnnNNr%%r,rNNmmmmmmmmmmmrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrmmmmmmmmmmmmmmmmmmmmmnnnnnnnnnn%nnrrrmrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrmmmmmmmnNmmmmmmrrmmNmmmmrr1111111111";var n=/[\u0590-\u05f4\u0600-\u06ff\u0700-\u08ac]/,r=/[stwN]/,o=/[LRr]/,i=/[Lb1n]/,a=/[1n]/;function s(e,t,n){this.level=e,this.from=t,this.to=n}return function(l,c){var u,p="ltr"==c?"L":"R";if(0==l.length||"ltr"==c&&!n.test(l))return!1;for(var d=l.length,f=[],h=0;h<d;++h)f.push((u=l.charCodeAt(h))<=247?e.charAt(u):1424<=u&&u<=1524?"R":1536<=u&&u<=1785?t.charAt(u-1536):1774<=u&&u<=2220?"r":8192<=u&&u<=8203?"w":8204==u?"b":"L");for(var m=0,b=p;m<d;++m){var g=f[m];"m"==g?f[m]=b:b=g}for(var _=0,v=p;_<d;++_){var y=f[_];"1"==y&&"r"==v?f[_]="n":o.test(y)&&(v=y,"r"==y&&(f[_]="R"))}for(var w=1,x=f[0];w<d-1;++w){var k=f[w];"+"==k&&"1"==x&&"1"==f[w+1]?f[w]="1":","!=k||x!=f[w+1]||"1"!=x&&"n"!=x||(f[w]=x),x=k}for(var C=0;C<d;++C){var E=f[C];if(","==E)f[C]="N";else if("%"==E){var O=void 0;for(O=C+1;O<d&&"%"==f[O];++O);for(var T=C&&"!"==f[C-1]||O<d&&"1"==f[O]?"1":"N",S=C;S<O;++S)f[S]=T;C=O-1}}for(var P=0,M=p;P<d;++P){var D=f[P];"L"==M&&"1"==D?f[P]="L":o.test(D)&&(M=D)}for(var A=0;A<d;++A)if(r.test(f[A])){var R=void 0;for(R=A+1;R<d&&r.test(f[R]);++R);for(var L="L"==(A?f[A-1]:p),I="L"==(R<d?f[R]:p),F=L==I?L?"L":"R":p,j=A;j<R;++j)f[j]=F;A=R-1}for(var N,B=[],U=0;U<d;)if(i.test(f[U])){var W=U;for(++U;U<d&&i.test(f[U]);++U);B.push(new s(0,W,U))}else{var H=U,$=B.length;for(++U;U<d&&"L"!=f[U];++U);for(var z=H;z<U;)if(a.test(f[z])){H<z&&B.splice($,0,new s(1,H,z));var q=z;for(++z;z<U&&a.test(f[z]);++z);B.splice($,0,new s(2,q,z)),H=z}else++z;H<U&&B.splice($,0,new s(1,H,U))}return"ltr"==c&&(1==B[0].level&&(N=l.match(/^\s+/))&&(B[0].from=N[0].length,B.unshift(new s(0,0,N[0].length))),1==X(B).level&&(N=l.match(/\s+$/))&&(X(B).to-=N[0].length,B.push(new s(0,d-N[0].length,d)))),"rtl"==c?B.reverse():B}}();function ue(e,t){var n=e.order;return null==n&&(n=e.order=ce(e.text,t)),n}var pe=[],de=function(e,t,n){if(e.addEventListener)e.addEventListener(t,n,!1);else if(e.attachEvent)e.attachEvent("on"+t,n);else{var r=e._handlers||(e._handlers={});r[t]=(r[t]||pe).concat(n)}};function fe(e,t){return e._handlers&&e._handlers[t]||pe}function he(e,t,n){if(e.removeEventListener)e.removeEventListener(t,n,!1);else if(e.detachEvent)e.detachEvent("on"+t,n);else{var r=e._handlers,o=r&&r[t];if(o){var i=U(o,n);i>-1&&(r[t]=o.slice(0,i).concat(o.slice(i+1)))}}}function me(e,t){var n=fe(e,t);if(n.length)for(var r=Array.prototype.slice.call(arguments,2),o=0;o<n.length;++o)n[o].apply(null,r)}function be(e,t,n){return"string"==typeof t&&(t={type:t,preventDefault:function(){this.defaultPrevented=!0}}),me(e,n||t.type,e,t),xe(t)||t.codemirrorIgnore}function ge(e){var t=e._handlers&&e._handlers.cursorActivity;if(t)for(var n=e.curOp.cursorActivityHandlers||(e.curOp.cursorActivityHandlers=[]),r=0;r<t.length;++r)-1==U(n,t[r])&&n.push(t[r])}function _e(e,t){return fe(e,t).length>0}function ve(e){e.prototype.on=function(e,t){de(this,e,t)},e.prototype.off=function(e,t){he(this,e,t)}}function ye(e){e.preventDefault?e.preventDefault():e.returnValue=!1}function we(e){e.stopPropagation?e.stopPropagation():e.cancelBubble=!0}function xe(e){return null!=e.defaultPrevented?e.defaultPrevented:0==e.returnValue}function ke(e){ye(e),we(e)}function Ce(e){return e.target||e.srcElement}function Ee(e){var t=e.which;return null==t&&(1&e.button?t=1:2&e.button?t=3:4&e.button&&(t=2)),_&&e.ctrlKey&&1==t&&(t=3),t}var Oe,Te,Se=function(){if(a&&s<9)return!1;var e=P("div");return"draggable"in e||"dragDrop"in e}();function Pe(e){if(null==Oe){var t=P("span","​");S(e,P("span",[t,document.createTextNode("x")])),0!=e.firstChild.offsetHeight&&(Oe=t.offsetWidth<=1&&t.offsetHeight>2&&!(a&&s<8))}var n=Oe?P("span","​"):P("span"," ",null,"display: inline-block; width: 1px; margin-right: -1px");return n.setAttribute("cm-text",""),n}function Me(e){if(null!=Te)return Te;var t=S(e,document.createTextNode("AخA")),n=E(t,0,1).getBoundingClientRect(),r=E(t,1,2).getBoundingClientRect();return T(e),!(!n||n.left==n.right)&&(Te=r.right-n.right<3)}var De,Ae=3!="\n\nb".split(/\n/).length?function(e){for(var t=0,n=[],r=e.length;t<=r;){var o=e.indexOf("\n",t);-1==o&&(o=e.length);var i=e.slice(t,"\r"==e.charAt(o-1)?o-1:o),a=i.indexOf("\r");-1!=a?(n.push(i.slice(0,a)),t+=a+1):(n.push(i),t=o+1)}return n}:function(e){return e.split(/\r\n?|\n/)},Re=window.getSelection?function(e){try{return e.selectionStart!=e.selectionEnd}catch(e){return!1}}:function(e){var t;try{t=e.ownerDocument.selection.createRange()}catch(e){}return!(!t||t.parentElement()!=e)&&0!=t.compareEndPoints("StartToEnd",t)},Le="oncopy"in(De=P("div"))||(De.setAttribute("oncopy","return;"),"function"==typeof De.oncopy),Ie=null,Fe={},je={};function Ne(e){if("string"==typeof e&&je.hasOwnProperty(e))e=je[e];else if(e&&"string"==typeof e.name&&je.hasOwnProperty(e.name)){var t=je[e.name];"string"==typeof t&&(t={name:t}),(e=Q(t,e)).name=t.name}else{if("string"==typeof e&&/^[\w\-]+\/[\w\-]+\+xml$/.test(e))return Ne("application/xml");if("string"==typeof e&&/^[\w\-]+\/[\w\-]+\+json$/.test(e))return Ne("application/json")}return"string"==typeof e?{name:e}:e||{name:"null"}}function Be(e,t){t=Ne(t);var n=Fe[t.name];if(!n)return Be(e,"text/plain");var r=n(e,t);if(Ue.hasOwnProperty(t.name)){var o=Ue[t.name];for(var i in o)o.hasOwnProperty(i)&&(r.hasOwnProperty(i)&&(r["_"+i]=r[i]),r[i]=o[i])}if(r.name=t.name,t.helperType&&(r.helperType=t.helperType),t.modeProps)for(var a in t.modeProps)r[a]=t.modeProps[a];return r}var Ue={};function We(e,t){var n=Ue.hasOwnProperty(e)?Ue[e]:Ue[e]={};j(t,n)}function He(e,t){if(!0===t)return t;if(e.copyState)return e.copyState(t);var n={};for(var r in t){var o=t[r];o instanceof Array&&(o=o.concat([])),n[r]=o}return n}function $e(e,t){for(var n;e.innerMode&&(n=e.innerMode(t))&&n.mode!=e;)t=n.state,e=n.mode;return n||{mode:e,state:t}}function ze(e,t,n){return!e.startState||e.startState(t,n)}var qe=function(e,t,n){this.pos=this.start=0,this.string=e,this.tabSize=t||8,this.lastColumnPos=this.lastColumnValue=0,this.lineStart=0,this.lineOracle=n};function Ke(e,t){if((t-=e.first)<0||t>=e.size)throw new Error("There is no line "+(t+e.first)+" in the document.");for(var n=e;!n.lines;)for(var r=0;;++r){var o=n.children[r],i=o.chunkSize();if(t<i){n=o;break}t-=i}return n.lines[t]}function Ge(e,t,n){var r=[],o=t.line;return e.iter(t.line,n.line+1,function(e){var i=e.text;o==n.line&&(i=i.slice(0,n.ch)),o==t.line&&(i=i.slice(t.ch)),r.push(i),++o}),r}function Ve(e,t,n){var r=[];return e.iter(t,n,function(e){r.push(e.text)}),r}function Xe(e,t){var n=t-e.height;if(n)for(var r=e;r;r=r.parent)r.height+=n}function Ye(e){if(null==e.parent)return null;for(var t=e.parent,n=U(t.lines,e),r=t.parent;r;t=r,r=r.parent)for(var o=0;r.children[o]!=t;++o)n+=r.children[o].chunkSize();return n+t.first}function Je(e,t){var n=e.first;e:do{for(var r=0;r<e.children.length;++r){var o=e.children[r],i=o.height;if(t<i){e=o;continue e}t-=i,n+=o.chunkSize()}return n}while(!e.lines);for(var a=0;a<e.lines.length;++a){var s=e.lines[a],l=s.height;if(t<l)break;t-=l}return n+a}function Qe(e,t){return t>=e.first&&t<e.first+e.size}function Ze(e,t){return String(e.lineNumberFormatter(t+e.firstLineNumber))}function et(e,t,n){if(void 0===n&&(n=null),!(this instanceof et))return new et(e,t,n);this.line=e,this.ch=t,this.sticky=n}function tt(e,t){return e.line-t.line||e.ch-t.ch}function nt(e,t){return e.sticky==t.sticky&&0==tt(e,t)}function rt(e){return et(e.line,e.ch)}function ot(e,t){return tt(e,t)<0?t:e}function it(e,t){return tt(e,t)<0?e:t}function at(e,t){return Math.max(e.first,Math.min(t,e.first+e.size-1))}function st(e,t){if(t.line<e.first)return et(e.first,0);var n=e.first+e.size-1;return t.line>n?et(n,Ke(e,n).text.length):function(e,t){var n=e.ch;return null==n||n>t?et(e.line,t):n<0?et(e.line,0):e}(t,Ke(e,t.line).text.length)}function lt(e,t){for(var n=[],r=0;r<t.length;r++)n[r]=st(e,t[r]);return n}qe.prototype.eol=function(){return this.pos>=this.string.length},qe.prototype.sol=function(){return this.pos==this.lineStart},qe.prototype.peek=function(){return this.string.charAt(this.pos)||void 0},qe.prototype.next=function(){if(this.pos<this.string.length)return this.string.charAt(this.pos++)},qe.prototype.eat=function(e){var t=this.string.charAt(this.pos);if("string"==typeof e?t==e:t&&(e.test?e.test(t):e(t)))return++this.pos,t},qe.prototype.eatWhile=function(e){for(var t=this.pos;this.eat(e););return this.pos>t},qe.prototype.eatSpace=function(){for(var e=this.pos;/[\s\u00a0]/.test(this.string.charAt(this.pos));)++this.pos;return this.pos>e},qe.prototype.skipToEnd=function(){this.pos=this.string.length},qe.prototype.skipTo=function(e){var t=this.string.indexOf(e,this.pos);if(t>-1)return this.pos=t,!0},qe.prototype.backUp=function(e){this.pos-=e},qe.prototype.column=function(){return this.lastColumnPos<this.start&&(this.lastColumnValue=N(this.string,this.start,this.tabSize,this.lastColumnPos,this.lastColumnValue),this.lastColumnPos=this.start),this.lastColumnValue-(this.lineStart?N(this.string,this.lineStart,this.tabSize):0)},qe.prototype.indentation=function(){return N(this.string,null,this.tabSize)-(this.lineStart?N(this.string,this.lineStart,this.tabSize):0)},qe.prototype.match=function(e,t,n){if("string"!=typeof e){var r=this.string.slice(this.pos).match(e);return r&&r.index>0?null:(r&&!1!==t&&(this.pos+=r[0].length),r)}var o=function(e){return n?e.toLowerCase():e},i=this.string.substr(this.pos,e.length);if(o(i)==o(e))return!1!==t&&(this.pos+=e.length),!0},qe.prototype.current=function(){return this.string.slice(this.start,this.pos)},qe.prototype.hideFirstChars=function(e,t){this.lineStart+=e;try{return t()}finally{this.lineStart-=e}},qe.prototype.lookAhead=function(e){var t=this.lineOracle;return t&&t.lookAhead(e)},qe.prototype.baseToken=function(){var e=this.lineOracle;return e&&e.baseToken(this.pos)};var ct=function(e,t){this.state=e,this.lookAhead=t},ut=function(e,t,n,r){this.state=t,this.doc=e,this.line=n,this.maxLookAhead=r||0,this.baseTokens=null,this.baseTokenPos=1};function pt(e,t,n,r){var o=[e.state.modeGen],i={};yt(e,t.text,e.doc.mode,n,function(e,t){return o.push(e,t)},i,r);for(var a=n.state,s=function(r){n.baseTokens=o;var s=e.state.overlays[r],l=1,c=0;n.state=!0,yt(e,t.text,s.mode,n,function(e,t){for(var n=l;c<e;){var r=o[l];r>e&&o.splice(l,1,e,o[l+1],r),l+=2,c=Math.min(e,r)}if(t)if(s.opaque)o.splice(n,l-n,e,"overlay "+t),l=n+2;else for(;n<l;n+=2){var i=o[n+1];o[n+1]=(i?i+" ":"")+"overlay "+t}},i),n.state=a,n.baseTokens=null,n.baseTokenPos=1},l=0;l<e.state.overlays.length;++l)s(l);return{styles:o,classes:i.bgClass||i.textClass?i:null}}function dt(e,t,n){if(!t.styles||t.styles[0]!=e.state.modeGen){var r=ft(e,Ye(t)),o=t.text.length>e.options.maxHighlightLength&&He(e.doc.mode,r.state),i=pt(e,t,r);o&&(r.state=o),t.stateAfter=r.save(!o),t.styles=i.styles,i.classes?t.styleClasses=i.classes:t.styleClasses&&(t.styleClasses=null),n===e.doc.highlightFrontier&&(e.doc.modeFrontier=Math.max(e.doc.modeFrontier,++e.doc.highlightFrontier))}return t.styles}function ft(e,t,n){var r=e.doc,o=e.display;if(!r.mode.startState)return new ut(r,!0,t);var i=function(e,t,n){for(var r,o,i=e.doc,a=n?-1:t-(e.doc.mode.innerMode?1e3:100),s=t;s>a;--s){if(s<=i.first)return i.first;var l=Ke(i,s-1),c=l.stateAfter;if(c&&(!n||s+(c instanceof ct?c.lookAhead:0)<=i.modeFrontier))return s;var u=N(l.text,null,e.options.tabSize);(null==o||r>u)&&(o=s-1,r=u)}return o}(e,t,n),a=i>r.first&&Ke(r,i-1).stateAfter,s=a?ut.fromSaved(r,a,i):new ut(r,ze(r.mode),i);return r.iter(i,t,function(n){ht(e,n.text,s);var r=s.line;n.stateAfter=r==t-1||r%5==0||r>=o.viewFrom&&r<o.viewTo?s.save():null,s.nextLine()}),n&&(r.modeFrontier=s.line),s}function ht(e,t,n,r){var o=e.doc.mode,i=new qe(t,e.options.tabSize,n);for(i.start=i.pos=r||0,""==t&&mt(o,n.state);!i.eol();)bt(o,i,n.state),i.start=i.pos}function mt(e,t){if(e.blankLine)return e.blankLine(t);if(e.innerMode){var n=$e(e,t);return n.mode.blankLine?n.mode.blankLine(n.state):void 0}}function bt(e,t,n,r){for(var o=0;o<10;o++){r&&(r[0]=$e(e,n).mode);var i=e.token(t,n);if(t.pos>t.start)return i}throw new Error("Mode "+e.name+" failed to advance stream.")}ut.prototype.lookAhead=function(e){var t=this.doc.getLine(this.line+e);return null!=t&&e>this.maxLookAhead&&(this.maxLookAhead=e),t},ut.prototype.baseToken=function(e){if(!this.baseTokens)return null;for(;this.baseTokens[this.baseTokenPos]<=e;)this.baseTokenPos+=2;var t=this.baseTokens[this.baseTokenPos+1];return{type:t&&t.replace(/( |^)overlay .*/,""),size:this.baseTokens[this.baseTokenPos]-e}},ut.prototype.nextLine=function(){this.line++,this.maxLookAhead>0&&this.maxLookAhead--},ut.fromSaved=function(e,t,n){return t instanceof ct?new ut(e,He(e.mode,t.state),n,t.lookAhead):new ut(e,He(e.mode,t),n)},ut.prototype.save=function(e){var t=!1!==e?He(this.doc.mode,this.state):this.state;return this.maxLookAhead>0?new ct(t,this.maxLookAhead):t};var gt=function(e,t,n){this.start=e.start,this.end=e.pos,this.string=e.current(),this.type=t||null,this.state=n};function _t(e,t,n,r){var o,i=e.doc,a=i.mode;t=st(i,t);var s,l=Ke(i,t.line),c=ft(e,t.line,n),u=new qe(l.text,e.options.tabSize,c);for(r&&(s=[]);(r||u.pos<t.ch)&&!u.eol();)u.start=u.pos,o=bt(a,u,c.state),r&&s.push(new gt(u,o,He(i.mode,c.state)));return r?s:new gt(u,o,c.state)}function vt(e,t){if(e)for(;;){var n=e.match(/(?:^|\s+)line-(background-)?(\S+)/);if(!n)break;e=e.slice(0,n.index)+e.slice(n.index+n[0].length);var r=n[1]?"bgClass":"textClass";null==t[r]?t[r]=n[2]:new RegExp("(?:^|s)"+n[2]+"(?:$|s)").test(t[r])||(t[r]+=" "+n[2])}return e}function yt(e,t,n,r,o,i,a){var s=n.flattenSpans;null==s&&(s=e.options.flattenSpans);var l,c=0,u=null,p=new qe(t,e.options.tabSize,r),d=e.options.addModeClass&&[null];for(""==t&&vt(mt(n,r.state),i);!p.eol();){if(p.pos>e.options.maxHighlightLength?(s=!1,a&&ht(e,t,r,p.pos),p.pos=t.length,l=null):l=vt(bt(n,p,r.state,d),i),d){var f=d[0].name;f&&(l="m-"+(l?f+" "+l:f))}if(!s||u!=l){for(;c<p.start;)c=Math.min(p.start,c+5e3),o(c,u);u=l}p.start=p.pos}for(;c<p.pos;){var h=Math.min(p.pos,c+5e3);o(h,u),c=h}}var wt=!1,xt=!1;function kt(e,t,n){this.marker=e,this.from=t,this.to=n}function Ct(e,t){if(e)for(var n=0;n<e.length;++n){var r=e[n];if(r.marker==t)return r}}function Et(e,t){for(var n,r=0;r<e.length;++r)e[r]!=t&&(n||(n=[])).push(e[r]);return n}function Ot(e,t){if(t.full)return null;var n=Qe(e,t.from.line)&&Ke(e,t.from.line).markedSpans,r=Qe(e,t.to.line)&&Ke(e,t.to.line).markedSpans;if(!n&&!r)return null;var o=t.from.ch,i=t.to.ch,a=0==tt(t.from,t.to),s=function(e,t,n){var r;if(e)for(var o=0;o<e.length;++o){var i=e[o],a=i.marker,s=null==i.from||(a.inclusiveLeft?i.from<=t:i.from<t);if(s||i.from==t&&"bookmark"==a.type&&(!n||!i.marker.insertLeft)){var l=null==i.to||(a.inclusiveRight?i.to>=t:i.to>t);(r||(r=[])).push(new kt(a,i.from,l?null:i.to))}}return r}(n,o,a),l=function(e,t,n){var r;if(e)for(var o=0;o<e.length;++o){var i=e[o],a=i.marker,s=null==i.to||(a.inclusiveRight?i.to>=t:i.to>t);if(s||i.from==t&&"bookmark"==a.type&&(!n||i.marker.insertLeft)){var l=null==i.from||(a.inclusiveLeft?i.from<=t:i.from<t);(r||(r=[])).push(new kt(a,l?null:i.from-t,null==i.to?null:i.to-t))}}return r}(r,i,a),c=1==t.text.length,u=X(t.text).length+(c?o:0);if(s)for(var p=0;p<s.length;++p){var d=s[p];if(null==d.to){var f=Ct(l,d.marker);f?c&&(d.to=null==f.to?null:f.to+u):d.to=o}}if(l)for(var h=0;h<l.length;++h){var m=l[h];if(null!=m.to&&(m.to+=u),null==m.from){var b=Ct(s,m.marker);b||(m.from=u,c&&(s||(s=[])).push(m))}else m.from+=u,c&&(s||(s=[])).push(m)}s&&(s=Tt(s)),l&&l!=s&&(l=Tt(l));var g=[s];if(!c){var _,v=t.text.length-2;if(v>0&&s)for(var y=0;y<s.length;++y)null==s[y].to&&(_||(_=[])).push(new kt(s[y].marker,null,null));for(var w=0;w<v;++w)g.push(_);g.push(l)}return g}function Tt(e){for(var t=0;t<e.length;++t){var n=e[t];null!=n.from&&n.from==n.to&&!1!==n.marker.clearWhenEmpty&&e.splice(t--,1)}return e.length?e:null}function St(e){var t=e.markedSpans;if(t){for(var n=0;n<t.length;++n)t[n].marker.detachLine(e);e.markedSpans=null}}function Pt(e,t){if(t){for(var n=0;n<t.length;++n)t[n].marker.attachLine(e);e.markedSpans=t}}function Mt(e){return e.inclusiveLeft?-1:0}function Dt(e){return e.inclusiveRight?1:0}function At(e,t){var n=e.lines.length-t.lines.length;if(0!=n)return n;var r=e.find(),o=t.find(),i=tt(r.from,o.from)||Mt(e)-Mt(t);if(i)return-i;var a=tt(r.to,o.to)||Dt(e)-Dt(t);return a||t.id-e.id}function Rt(e,t){var n,r=xt&&e.markedSpans;if(r)for(var o=void 0,i=0;i<r.length;++i)(o=r[i]).marker.collapsed&&null==(t?o.from:o.to)&&(!n||At(n,o.marker)<0)&&(n=o.marker);return n}function Lt(e){return Rt(e,!0)}function It(e){return Rt(e,!1)}function Ft(e,t){var n,r=xt&&e.markedSpans;if(r)for(var o=0;o<r.length;++o){var i=r[o];i.marker.collapsed&&(null==i.from||i.from<t)&&(null==i.to||i.to>t)&&(!n||At(n,i.marker)<0)&&(n=i.marker)}return n}function jt(e,t,n,r,o){var i=Ke(e,t),a=xt&&i.markedSpans;if(a)for(var s=0;s<a.length;++s){var l=a[s];if(l.marker.collapsed){var c=l.marker.find(0),u=tt(c.from,n)||Mt(l.marker)-Mt(o),p=tt(c.to,r)||Dt(l.marker)-Dt(o);if(!(u>=0&&p<=0||u<=0&&p>=0)&&(u<=0&&(l.marker.inclusiveRight&&o.inclusiveLeft?tt(c.to,n)>=0:tt(c.to,n)>0)||u>=0&&(l.marker.inclusiveRight&&o.inclusiveLeft?tt(c.from,r)<=0:tt(c.from,r)<0)))return!0}}}function Nt(e){for(var t;t=Lt(e);)e=t.find(-1,!0).line;return e}function Bt(e,t){var n=Ke(e,t),r=Nt(n);return n==r?t:Ye(r)}function Ut(e,t){if(t>e.lastLine())return t;var n,r=Ke(e,t);if(!Wt(e,r))return t;for(;n=It(r);)r=n.find(1,!0).line;return Ye(r)+1}function Wt(e,t){var n=xt&&t.markedSpans;if(n)for(var r=void 0,o=0;o<n.length;++o)if((r=n[o]).marker.collapsed){if(null==r.from)return!0;if(!r.marker.widgetNode&&0==r.from&&r.marker.inclusiveLeft&&Ht(e,t,r))return!0}}function Ht(e,t,n){if(null==n.to){var r=n.marker.find(1,!0);return Ht(e,r.line,Ct(r.line.markedSpans,n.marker))}if(n.marker.inclusiveRight&&n.to==t.text.length)return!0;for(var o=void 0,i=0;i<t.markedSpans.length;++i)if((o=t.markedSpans[i]).marker.collapsed&&!o.marker.widgetNode&&o.from==n.to&&(null==o.to||o.to!=n.from)&&(o.marker.inclusiveLeft||n.marker.inclusiveRight)&&Ht(e,t,o))return!0}function $t(e){e=Nt(e);for(var t=0,n=e.parent,r=0;r<n.lines.length;++r){var o=n.lines[r];if(o==e)break;t+=o.height}for(var i=n.parent;i;i=(n=i).parent)for(var a=0;a<i.children.length;++a){var s=i.children[a];if(s==n)break;t+=s.height}return t}function zt(e){if(0==e.height)return 0;for(var t,n=e.text.length,r=e;t=Lt(r);){var o=t.find(0,!0);r=o.from.line,n+=o.from.ch-o.to.ch}for(r=e;t=It(r);){var i=t.find(0,!0);n-=r.text.length-i.from.ch,r=i.to.line,n+=r.text.length-i.to.ch}return n}function qt(e){var t=e.display,n=e.doc;t.maxLine=Ke(n,n.first),t.maxLineLength=zt(t.maxLine),t.maxLineChanged=!0,n.iter(function(e){var n=zt(e);n>t.maxLineLength&&(t.maxLineLength=n,t.maxLine=e)})}var Kt=function(e,t,n){this.text=e,Pt(this,t),this.height=n?n(this):1};function Gt(e){e.parent=null,St(e)}Kt.prototype.lineNo=function(){return Ye(this)},ve(Kt);var Vt={},Xt={};function Yt(e,t){if(!e||/^\s*$/.test(e))return null;var n=t.addModeClass?Xt:Vt;return n[e]||(n[e]=e.replace(/\S+/g,"cm-$&"))}function Jt(e,t){var n=M("span",null,null,l?"padding-right: .1px":null),r={pre:M("pre",[n],"CodeMirror-line"),content:n,col:0,pos:0,cm:e,trailingSpace:!1,splitSpaces:e.getOption("lineWrapping")};t.measure={};for(var o=0;o<=(t.rest?t.rest.length:0);o++){var i=o?t.rest[o-1]:t.line,a=void 0;r.pos=0,r.addToken=Zt,Me(e.display.measure)&&(a=ue(i,e.doc.direction))&&(r.addToken=en(r.addToken,a)),r.map=[];var s=t!=e.display.externalMeasured&&Ye(i);nn(i,r,dt(e,i,s)),i.styleClasses&&(i.styleClasses.bgClass&&(r.bgClass=L(i.styleClasses.bgClass,r.bgClass||"")),i.styleClasses.textClass&&(r.textClass=L(i.styleClasses.textClass,r.textClass||""))),0==r.map.length&&r.map.push(0,0,r.content.appendChild(Pe(e.display.measure))),0==o?(t.measure.map=r.map,t.measure.cache={}):((t.measure.maps||(t.measure.maps=[])).push(r.map),(t.measure.caches||(t.measure.caches=[])).push({}))}if(l){var c=r.content.lastChild;(/\bcm-tab\b/.test(c.className)||c.querySelector&&c.querySelector(".cm-tab"))&&(r.content.className="cm-tab-wrap-hack")}return me(e,"renderLine",e,t.line,r.pre),r.pre.className&&(r.textClass=L(r.pre.className,r.textClass||"")),r}function Qt(e){var t=P("span","•","cm-invalidchar");return t.title="\\u"+e.charCodeAt(0).toString(16),t.setAttribute("aria-label",t.title),t}function Zt(e,t,n,r,o,i,l){if(t){var c,u=e.splitSpaces?function(e,t){if(e.length>1&&!/ /.test(e))return e;for(var n=t,r="",o=0;o<e.length;o++){var i=e.charAt(o);" "!=i||!n||o!=e.length-1&&32!=e.charCodeAt(o+1)||(i=" "),r+=i,n=" "==i}return r}(t,e.trailingSpace):t,p=e.cm.state.specialChars,d=!1;if(p.test(t)){c=document.createDocumentFragment();for(var f=0;;){p.lastIndex=f;var h=p.exec(t),m=h?h.index-f:t.length-f;if(m){var b=document.createTextNode(u.slice(f,f+m));a&&s<9?c.appendChild(P("span",[b])):c.appendChild(b),e.map.push(e.pos,e.pos+m,b),e.col+=m,e.pos+=m}if(!h)break;f+=m+1;var g=void 0;if("\t"==h[0]){var _=e.cm.options.tabSize,v=_-e.col%_;(g=c.appendChild(P("span",V(v),"cm-tab"))).setAttribute("role","presentation"),g.setAttribute("cm-text","\t"),e.col+=v}else"\r"==h[0]||"\n"==h[0]?((g=c.appendChild(P("span","\r"==h[0]?"␍":"␤","cm-invalidchar"))).setAttribute("cm-text",h[0]),e.col+=1):((g=e.cm.options.specialCharPlaceholder(h[0])).setAttribute("cm-text",h[0]),a&&s<9?c.appendChild(P("span",[g])):c.appendChild(g),e.col+=1);e.map.push(e.pos,e.pos+1,g),e.pos++}}else e.col+=t.length,c=document.createTextNode(u),e.map.push(e.pos,e.pos+t.length,c),a&&s<9&&(d=!0),e.pos+=t.length;if(e.trailingSpace=32==u.charCodeAt(t.length-1),n||r||o||d||i){var y=n||"";r&&(y+=r),o&&(y+=o);var w=P("span",[c],y,i);if(l)for(var x in l)l.hasOwnProperty(x)&&"style"!=x&&"class"!=x&&w.setAttribute(x,l[x]);return e.content.appendChild(w)}e.content.appendChild(c)}}function en(e,t){return function(n,r,o,i,a,s,l){o=o?o+" cm-force-border":"cm-force-border";for(var c=n.pos,u=c+r.length;;){for(var p=void 0,d=0;d<t.length&&!((p=t[d]).to>c&&p.from<=c);d++);if(p.to>=u)return e(n,r,o,i,a,s,l);e(n,r.slice(0,p.to-c),o,i,null,s,l),i=null,r=r.slice(p.to-c),c=p.to}}}function tn(e,t,n,r){var o=!r&&n.widgetNode;o&&e.map.push(e.pos,e.pos+t,o),!r&&e.cm.display.input.needsContentAttribute&&(o||(o=e.content.appendChild(document.createElement("span"))),o.setAttribute("cm-marker",n.id)),o&&(e.cm.display.input.setUneditable(o),e.content.appendChild(o)),e.pos+=t,e.trailingSpace=!1}function nn(e,t,n){var r=e.markedSpans,o=e.text,i=0;if(r)for(var a,s,l,c,u,p,d,f=o.length,h=0,m=1,b="",g=0;;){if(g==h){l=c=u=s="",d=null,p=null,g=1/0;for(var _=[],v=void 0,y=0;y<r.length;++y){var w=r[y],x=w.marker;if("bookmark"==x.type&&w.from==h&&x.widgetNode)_.push(x);else if(w.from<=h&&(null==w.to||w.to>h||x.collapsed&&w.to==h&&w.from==h)){if(null!=w.to&&w.to!=h&&g>w.to&&(g=w.to,c=""),x.className&&(l+=" "+x.className),x.css&&(s=(s?s+";":"")+x.css),x.startStyle&&w.from==h&&(u+=" "+x.startStyle),x.endStyle&&w.to==g&&(v||(v=[])).push(x.endStyle,w.to),x.title&&((d||(d={})).title=x.title),x.attributes)for(var k in x.attributes)(d||(d={}))[k]=x.attributes[k];x.collapsed&&(!p||At(p.marker,x)<0)&&(p=w)}else w.from>h&&g>w.from&&(g=w.from)}if(v)for(var C=0;C<v.length;C+=2)v[C+1]==g&&(c+=" "+v[C]);if(!p||p.from==h)for(var E=0;E<_.length;++E)tn(t,0,_[E]);if(p&&(p.from||0)==h){if(tn(t,(null==p.to?f+1:p.to)-h,p.marker,null==p.from),null==p.to)return;p.to==h&&(p=!1)}}if(h>=f)break;for(var O=Math.min(f,g);;){if(b){var T=h+b.length;if(!p){var S=T>O?b.slice(0,O-h):b;t.addToken(t,S,a?a+l:l,u,h+S.length==g?c:"",s,d)}if(T>=O){b=b.slice(O-h),h=O;break}h=T,u=""}b=o.slice(i,i=n[m++]),a=Yt(n[m++],t.cm.options)}}else for(var P=1;P<n.length;P+=2)t.addToken(t,o.slice(i,i=n[P]),Yt(n[P+1],t.cm.options))}function rn(e,t,n){this.line=t,this.rest=function(e){for(var t,n;t=It(e);)e=t.find(1,!0).line,(n||(n=[])).push(e);return n}(t),this.size=this.rest?Ye(X(this.rest))-n+1:1,this.node=this.text=null,this.hidden=Wt(e,t)}function on(e,t,n){for(var r,o=[],i=t;i<n;i=r){var a=new rn(e.doc,Ke(e.doc,i),i);r=i+a.size,o.push(a)}return o}var an=null,sn=null;function ln(e,t){var n=fe(e,t);if(n.length){var r,o=Array.prototype.slice.call(arguments,2);an?r=an.delayedCallbacks:sn?r=sn:(r=sn=[],setTimeout(cn,0));for(var i=function(e){r.push(function(){return n[e].apply(null,o)})},a=0;a<n.length;++a)i(a)}}function cn(){var e=sn;sn=null;for(var t=0;t<e.length;++t)e[t]()}function un(e,t,n,r){for(var o=0;o<t.changes.length;o++){var i=t.changes[o];"text"==i?fn(e,t):"gutter"==i?mn(e,t,n,r):"class"==i?hn(e,t):"widget"==i&&bn(e,t,r)}t.changes=null}function pn(e){return e.node==e.text&&(e.node=P("div",null,null,"position: relative"),e.text.parentNode&&e.text.parentNode.replaceChild(e.node,e.text),e.node.appendChild(e.text),a&&s<8&&(e.node.style.zIndex=2)),e.node}function dn(e,t){var n=e.display.externalMeasured;return n&&n.line==t.line?(e.display.externalMeasured=null,t.measure=n.measure,n.built):Jt(e,t)}function fn(e,t){var n=t.text.className,r=dn(e,t);t.text==t.node&&(t.node=r.pre),t.text.parentNode.replaceChild(r.pre,t.text),t.text=r.pre,r.bgClass!=t.bgClass||r.textClass!=t.textClass?(t.bgClass=r.bgClass,t.textClass=r.textClass,hn(e,t)):n&&(t.text.className=n)}function hn(e,t){!function(e,t){var n=t.bgClass?t.bgClass+" "+(t.line.bgClass||""):t.line.bgClass;if(n&&(n+=" CodeMirror-linebackground"),t.background)n?t.background.className=n:(t.background.parentNode.removeChild(t.background),t.background=null);else if(n){var r=pn(t);t.background=r.insertBefore(P("div",null,n),r.firstChild),e.display.input.setUneditable(t.background)}}(e,t),t.line.wrapClass?pn(t).className=t.line.wrapClass:t.node!=t.text&&(t.node.className="");var n=t.textClass?t.textClass+" "+(t.line.textClass||""):t.line.textClass;t.text.className=n||""}function mn(e,t,n,r){if(t.gutter&&(t.node.removeChild(t.gutter),t.gutter=null),t.gutterBackground&&(t.node.removeChild(t.gutterBackground),t.gutterBackground=null),t.line.gutterClass){var o=pn(t);t.gutterBackground=P("div",null,"CodeMirror-gutter-background "+t.line.gutterClass,"left: "+(e.options.fixedGutter?r.fixedPos:-r.gutterTotalWidth)+"px; width: "+r.gutterTotalWidth+"px"),e.display.input.setUneditable(t.gutterBackground),o.insertBefore(t.gutterBackground,t.text)}var i=t.line.gutterMarkers;if(e.options.lineNumbers||i){var a=pn(t),s=t.gutter=P("div",null,"CodeMirror-gutter-wrapper","left: "+(e.options.fixedGutter?r.fixedPos:-r.gutterTotalWidth)+"px");if(e.display.input.setUneditable(s),a.insertBefore(s,t.text),t.line.gutterClass&&(s.className+=" "+t.line.gutterClass),!e.options.lineNumbers||i&&i["CodeMirror-linenumbers"]||(t.lineNumber=s.appendChild(P("div",Ze(e.options,n),"CodeMirror-linenumber CodeMirror-gutter-elt","left: "+r.gutterLeft["CodeMirror-linenumbers"]+"px; width: "+e.display.lineNumInnerWidth+"px"))),i)for(var l=0;l<e.display.gutterSpecs.length;++l){var c=e.display.gutterSpecs[l].className,u=i.hasOwnProperty(c)&&i[c];u&&s.appendChild(P("div",[u],"CodeMirror-gutter-elt","left: "+r.gutterLeft[c]+"px; width: "+r.gutterWidth[c]+"px"))}}}function bn(e,t,n){t.alignable&&(t.alignable=null);for(var r=t.node.firstChild,o=void 0;r;r=o)o=r.nextSibling,"CodeMirror-linewidget"==r.className&&t.node.removeChild(r);_n(e,t,n)}function gn(e,t,n,r){var o=dn(e,t);return t.text=t.node=o.pre,o.bgClass&&(t.bgClass=o.bgClass),o.textClass&&(t.textClass=o.textClass),hn(e,t),mn(e,t,n,r),_n(e,t,r),t.node}function _n(e,t,n){if(vn(e,t.line,t,n,!0),t.rest)for(var r=0;r<t.rest.length;r++)vn(e,t.rest[r],t,n,!1)}function vn(e,t,n,r,o){if(t.widgets)for(var i=pn(n),a=0,s=t.widgets;a<s.length;++a){var l=s[a],c=P("div",[l.node],"CodeMirror-linewidget");l.handleMouseEvents||c.setAttribute("cm-ignore-events","true"),yn(l,c,n,r),e.display.input.setUneditable(c),o&&l.above?i.insertBefore(c,n.gutter||n.text):i.appendChild(c),ln(l,"redraw")}}function yn(e,t,n,r){if(e.noHScroll){(n.alignable||(n.alignable=[])).push(t);var o=r.wrapperWidth;t.style.left=r.fixedPos+"px",e.coverGutter||(o-=r.gutterTotalWidth,t.style.paddingLeft=r.gutterTotalWidth+"px"),t.style.width=o+"px"}e.coverGutter&&(t.style.zIndex=5,t.style.position="relative",e.noHScroll||(t.style.marginLeft=-r.gutterTotalWidth+"px"))}function wn(e){if(null!=e.height)return e.height;var t=e.doc.cm;if(!t)return 0;if(!D(document.body,e.node)){var n="position: relative;";e.coverGutter&&(n+="margin-left: -"+t.display.gutters.offsetWidth+"px;"),e.noHScroll&&(n+="width: "+t.display.wrapper.clientWidth+"px;"),S(t.display.measure,P("div",[e.node],null,n))}return e.height=e.node.parentNode.offsetHeight}function xn(e,t){for(var n=Ce(t);n!=e.wrapper;n=n.parentNode)if(!n||1==n.nodeType&&"true"==n.getAttribute("cm-ignore-events")||n.parentNode==e.sizer&&n!=e.mover)return!0}function kn(e){return e.lineSpace.offsetTop}function Cn(e){return e.mover.offsetHeight-e.lineSpace.offsetHeight}function En(e){if(e.cachedPaddingH)return e.cachedPaddingH;var t=S(e.measure,P("pre","x")),n=window.getComputedStyle?window.getComputedStyle(t):t.currentStyle,r={left:parseInt(n.paddingLeft),right:parseInt(n.paddingRight)};return isNaN(r.left)||isNaN(r.right)||(e.cachedPaddingH=r),r}function On(e){return W-e.display.nativeBarWidth}function Tn(e){return e.display.scroller.clientWidth-On(e)-e.display.barWidth}function Sn(e){return e.display.scroller.clientHeight-On(e)-e.display.barHeight}function Pn(e,t,n){if(e.line==t)return{map:e.measure.map,cache:e.measure.cache};for(var r=0;r<e.rest.length;r++)if(e.rest[r]==t)return{map:e.measure.maps[r],cache:e.measure.caches[r]};for(var o=0;o<e.rest.length;o++)if(Ye(e.rest[o])>n)return{map:e.measure.maps[o],cache:e.measure.caches[o],before:!0}}function Mn(e,t,n,r){return Rn(e,An(e,t),n,r)}function Dn(e,t){if(t>=e.display.viewFrom&&t<e.display.viewTo)return e.display.view[lr(e,t)];var n=e.display.externalMeasured;return n&&t>=n.lineN&&t<n.lineN+n.size?n:void 0}function An(e,t){var n=Ye(t),r=Dn(e,n);r&&!r.text?r=null:r&&r.changes&&(un(e,r,n,rr(e)),e.curOp.forceUpdate=!0),r||(r=function(e,t){var n=Ye(t=Nt(t)),r=e.display.externalMeasured=new rn(e.doc,t,n);r.lineN=n;var o=r.built=Jt(e,r);return r.text=o.pre,S(e.display.lineMeasure,o.pre),r}(e,t));var o=Pn(r,t,n);return{line:t,view:r,rect:null,map:o.map,cache:o.cache,before:o.before,hasHeights:!1}}function Rn(e,t,n,r,o){t.before&&(n=-1);var i,l=n+(r||"");return t.cache.hasOwnProperty(l)?i=t.cache[l]:(t.rect||(t.rect=t.view.text.getBoundingClientRect()),t.hasHeights||(function(e,t,n){var r=e.options.lineWrapping,o=r&&Tn(e);if(!t.measure.heights||r&&t.measure.width!=o){var i=t.measure.heights=[];if(r){t.measure.width=o;for(var a=t.text.firstChild.getClientRects(),s=0;s<a.length-1;s++){var l=a[s],c=a[s+1];Math.abs(l.bottom-c.bottom)>2&&i.push((l.bottom+c.top)/2-n.top)}}i.push(n.bottom-n.top)}}(e,t.view,t.rect),t.hasHeights=!0),(i=function(e,t,n,r){var o,i=Fn(t.map,n,r),l=i.node,c=i.start,u=i.end,p=i.collapse;if(3==l.nodeType){for(var d=0;d<4;d++){for(;c&&oe(t.line.text.charAt(i.coverStart+c));)--c;for(;i.coverStart+u<i.coverEnd&&oe(t.line.text.charAt(i.coverStart+u));)++u;if((o=a&&s<9&&0==c&&u==i.coverEnd-i.coverStart?l.parentNode.getBoundingClientRect():jn(E(l,c,u).getClientRects(),r)).left||o.right||0==c)break;u=c,c-=1,p="right"}a&&s<11&&(o=function(e,t){if(!window.screen||null==screen.logicalXDPI||screen.logicalXDPI==screen.deviceXDPI||!function(e){if(null!=Ie)return Ie;var t=S(e,P("span","x")),n=t.getBoundingClientRect(),r=E(t,0,1).getBoundingClientRect();return Ie=Math.abs(n.left-r.left)>1}(e))return t;var n=screen.logicalXDPI/screen.deviceXDPI,r=screen.logicalYDPI/screen.deviceYDPI;return{left:t.left*n,right:t.right*n,top:t.top*r,bottom:t.bottom*r}}(e.display.measure,o))}else{var f;c>0&&(p=r="right"),o=e.options.lineWrapping&&(f=l.getClientRects()).length>1?f["right"==r?f.length-1:0]:l.getBoundingClientRect()}if(a&&s<9&&!c&&(!o||!o.left&&!o.right)){var h=l.parentNode.getClientRects()[0];o=h?{left:h.left,right:h.left+nr(e.display),top:h.top,bottom:h.bottom}:In}for(var m=o.top-t.rect.top,b=o.bottom-t.rect.top,g=(m+b)/2,_=t.view.measure.heights,v=0;v<_.length-1&&!(g<_[v]);v++);var y=v?_[v-1]:0,w=_[v],x={left:("right"==p?o.right:o.left)-t.rect.left,right:("left"==p?o.left:o.right)-t.rect.left,top:y,bottom:w};return o.left||o.right||(x.bogus=!0),e.options.singleCursorHeightPerLine||(x.rtop=m,x.rbottom=b),x}(e,t,n,r)).bogus||(t.cache[l]=i)),{left:i.left,right:i.right,top:o?i.rtop:i.top,bottom:o?i.rbottom:i.bottom}}var Ln,In={left:0,right:0,top:0,bottom:0};function Fn(e,t,n){for(var r,o,i,a,s,l,c=0;c<e.length;c+=3)if(s=e[c],l=e[c+1],t<s?(o=0,i=1,a="left"):t<l?i=1+(o=t-s):(c==e.length-3||t==l&&e[c+3]>t)&&(o=(i=l-s)-1,t>=l&&(a="right")),null!=o){if(r=e[c+2],s==l&&n==(r.insertLeft?"left":"right")&&(a=n),"left"==n&&0==o)for(;c&&e[c-2]==e[c-3]&&e[c-1].insertLeft;)r=e[2+(c-=3)],a="left";if("right"==n&&o==l-s)for(;c<e.length-3&&e[c+3]==e[c+4]&&!e[c+5].insertLeft;)r=e[(c+=3)+2],a="right";break}return{node:r,start:o,end:i,collapse:a,coverStart:s,coverEnd:l}}function jn(e,t){var n=In;if("left"==t)for(var r=0;r<e.length&&(n=e[r]).left==n.right;r++);else for(var o=e.length-1;o>=0&&(n=e[o]).left==n.right;o--);return n}function Nn(e){if(e.measure&&(e.measure.cache={},e.measure.heights=null,e.rest))for(var t=0;t<e.rest.length;t++)e.measure.caches[t]={}}function Bn(e){e.display.externalMeasure=null,T(e.display.lineMeasure);for(var t=0;t<e.display.view.length;t++)Nn(e.display.view[t])}function Un(e){Bn(e),e.display.cachedCharWidth=e.display.cachedTextHeight=e.display.cachedPaddingH=null,e.options.lineWrapping||(e.display.maxLineChanged=!0),e.display.lineNumChars=null}function Wn(){return u&&b?-(document.body.getBoundingClientRect().left-parseInt(getComputedStyle(document.body).marginLeft)):window.pageXOffset||(document.documentElement||document.body).scrollLeft}function Hn(){return u&&b?-(document.body.getBoundingClientRect().top-parseInt(getComputedStyle(document.body).marginTop)):window.pageYOffset||(document.documentElement||document.body).scrollTop}function $n(e){var t=0;if(e.widgets)for(var n=0;n<e.widgets.length;++n)e.widgets[n].above&&(t+=wn(e.widgets[n]));return t}function zn(e,t,n,r,o){if(!o){var i=$n(t);n.top+=i,n.bottom+=i}if("line"==r)return n;r||(r="local");var a=$t(t);if("local"==r?a+=kn(e.display):a-=e.display.viewOffset,"page"==r||"window"==r){var s=e.display.lineSpace.getBoundingClientRect();a+=s.top+("window"==r?0:Hn());var l=s.left+("window"==r?0:Wn());n.left+=l,n.right+=l}return n.top+=a,n.bottom+=a,n}function qn(e,t,n){if("div"==n)return t;var r=t.left,o=t.top;if("page"==n)r-=Wn(),o-=Hn();else if("local"==n||!n){var i=e.display.sizer.getBoundingClientRect();r+=i.left,o+=i.top}var a=e.display.lineSpace.getBoundingClientRect();return{left:r-a.left,top:o-a.top}}function Kn(e,t,n,r,o){return r||(r=Ke(e.doc,t.line)),zn(e,r,Mn(e,r,t.ch,o),n)}function Gn(e,t,n,r,o,i){function a(t,a){var s=Rn(e,o,t,a?"right":"left",i);return a?s.left=s.right:s.right=s.left,zn(e,r,s,n)}r=r||Ke(e.doc,t.line),o||(o=An(e,r));var s=ue(r,e.doc.direction),l=t.ch,c=t.sticky;if(l>=r.text.length?(l=r.text.length,c="before"):l<=0&&(l=0,c="after"),!s)return a("before"==c?l-1:l,"before"==c);function u(e,t,n){var r=s[t],o=1==r.level;return a(n?e-1:e,o!=n)}var p=le(s,l,c),d=se,f=u(l,p,"before"==c);return null!=d&&(f.other=u(l,d,"before"!=c)),f}function Vn(e,t){var n=0;t=st(e.doc,t),e.options.lineWrapping||(n=nr(e.display)*t.ch);var r=Ke(e.doc,t.line),o=$t(r)+kn(e.display);return{left:n,right:n,top:o,bottom:o+r.height}}function Xn(e,t,n,r,o){var i=et(e,t,n);return i.xRel=o,r&&(i.outside=!0),i}function Yn(e,t,n){var r=e.doc;if((n+=e.display.viewOffset)<0)return Xn(r.first,0,null,!0,-1);var o=Je(r,n),i=r.first+r.size-1;if(o>i)return Xn(r.first+r.size-1,Ke(r,i).text.length,null,!0,1);t<0&&(t=0);for(var a=Ke(r,o);;){var s=er(e,a,o,t,n),l=Ft(a,s.ch+(s.xRel>0?1:0));if(!l)return s;var c=l.find(1);if(c.line==o)return c;a=Ke(r,o=c.line)}}function Jn(e,t,n,r){r-=$n(t);var o=t.text.length,i=ae(function(t){return Rn(e,n,t-1).bottom<=r},o,0);return o=ae(function(t){return Rn(e,n,t).top>r},i,o),{begin:i,end:o}}function Qn(e,t,n,r){n||(n=An(e,t));var o=zn(e,t,Rn(e,n,r),"line").top;return Jn(e,t,n,o)}function Zn(e,t,n,r){return!(e.bottom<=n)&&(e.top>n||(r?e.left:e.right)>t)}function er(e,t,n,r,o){o-=$t(t);var i=An(e,t),a=$n(t),s=0,l=t.text.length,c=!0,u=ue(t,e.doc.direction);if(u){var p=(e.options.lineWrapping?function(e,t,n,r,o,i,a){var s=Jn(e,t,r,a),l=s.begin,c=s.end;/\s/.test(t.text.charAt(c-1))&&c--;for(var u=null,p=null,d=0;d<o.length;d++){var f=o[d];if(!(f.from>=c||f.to<=l)){var h=1!=f.level,m=Rn(e,r,h?Math.min(c,f.to)-1:Math.max(l,f.from)).right,b=m<i?i-m+1e9:m-i;(!u||p>b)&&(u=f,p=b)}}return u||(u=o[o.length-1]),u.from<l&&(u={from:l,to:u.to,level:u.level}),u.to>c&&(u={from:u.from,to:c,level:u.level}),u}:function(e,t,n,r,o,i,a){var s=ae(function(s){var l=o[s],c=1!=l.level;return Zn(Gn(e,et(n,c?l.to:l.from,c?"before":"after"),"line",t,r),i,a,!0)},0,o.length-1),l=o[s];if(s>0){var c=1!=l.level,u=Gn(e,et(n,c?l.from:l.to,c?"after":"before"),"line",t,r);Zn(u,i,a,!0)&&u.top>a&&(l=o[s-1])}return l})(e,t,n,i,u,r,o);c=1!=p.level,s=c?p.from:p.to-1,l=c?p.to:p.from-1}var d,f,h=null,m=null,b=ae(function(t){var n=Rn(e,i,t);return n.top+=a,n.bottom+=a,!!Zn(n,r,o,!1)&&(n.top<=o&&n.left<=r&&(h=t,m=n),!0)},s,l),g=!1;if(m){var _=r-m.left<m.right-r,v=_==c;b=h+(v?0:1),f=v?"after":"before",d=_?m.left:m.right}else{c||b!=l&&b!=s||b++,f=0==b?"after":b==t.text.length?"before":Rn(e,i,b-(c?1:0)).bottom+a<=o==c?"after":"before";var y=Gn(e,et(n,b,f),"line",t,i);d=y.left,g=o<y.top||o>=y.bottom}return b=ie(t.text,b,1),Xn(n,b,f,g,r-d)}function tr(e){if(null!=e.cachedTextHeight)return e.cachedTextHeight;if(null==Ln){Ln=P("pre");for(var t=0;t<49;++t)Ln.appendChild(document.createTextNode("x")),Ln.appendChild(P("br"));Ln.appendChild(document.createTextNode("x"))}S(e.measure,Ln);var n=Ln.offsetHeight/50;return n>3&&(e.cachedTextHeight=n),T(e.measure),n||1}function nr(e){if(null!=e.cachedCharWidth)return e.cachedCharWidth;var t=P("span","xxxxxxxxxx"),n=P("pre",[t]);S(e.measure,n);var r=t.getBoundingClientRect(),o=(r.right-r.left)/10;return o>2&&(e.cachedCharWidth=o),o||10}function rr(e){for(var t=e.display,n={},r={},o=t.gutters.clientLeft,i=t.gutters.firstChild,a=0;i;i=i.nextSibling,++a){var s=e.display.gutterSpecs[a].className;n[s]=i.offsetLeft+i.clientLeft+o,r[s]=i.clientWidth}return{fixedPos:or(t),gutterTotalWidth:t.gutters.offsetWidth,gutterLeft:n,gutterWidth:r,wrapperWidth:t.wrapper.clientWidth}}function or(e){return e.scroller.getBoundingClientRect().left-e.sizer.getBoundingClientRect().left}function ir(e){var t=tr(e.display),n=e.options.lineWrapping,r=n&&Math.max(5,e.display.scroller.clientWidth/nr(e.display)-3);return function(o){if(Wt(e.doc,o))return 0;var i=0;if(o.widgets)for(var a=0;a<o.widgets.length;a++)o.widgets[a].height&&(i+=o.widgets[a].height);return n?i+(Math.ceil(o.text.length/r)||1)*t:i+t}}function ar(e){var t=e.doc,n=ir(e);t.iter(function(e){var t=n(e);t!=e.height&&Xe(e,t)})}function sr(e,t,n,r){var o=e.display;if(!n&&"true"==Ce(t).getAttribute("cm-not-content"))return null;var i,a,s=o.lineSpace.getBoundingClientRect();try{i=t.clientX-s.left,a=t.clientY-s.top}catch(t){return null}var l,c=Yn(e,i,a);if(r&&1==c.xRel&&(l=Ke(e.doc,c.line).text).length==c.ch){var u=N(l,l.length,e.options.tabSize)-l.length;c=et(c.line,Math.max(0,Math.round((i-En(e.display).left)/nr(e.display))-u))}return c}function lr(e,t){if(t>=e.display.viewTo)return null;if((t-=e.display.viewFrom)<0)return null;for(var n=e.display.view,r=0;r<n.length;r++)if((t-=n[r].size)<0)return r}function cr(e,t,n,r){null==t&&(t=e.doc.first),null==n&&(n=e.doc.first+e.doc.size),r||(r=0);var o=e.display;if(r&&n<o.viewTo&&(null==o.updateLineNumbers||o.updateLineNumbers>t)&&(o.updateLineNumbers=t),e.curOp.viewChanged=!0,t>=o.viewTo)xt&&Bt(e.doc,t)<o.viewTo&&pr(e);else if(n<=o.viewFrom)xt&&Ut(e.doc,n+r)>o.viewFrom?pr(e):(o.viewFrom+=r,o.viewTo+=r);else if(t<=o.viewFrom&&n>=o.viewTo)pr(e);else if(t<=o.viewFrom){var i=dr(e,n,n+r,1);i?(o.view=o.view.slice(i.index),o.viewFrom=i.lineN,o.viewTo+=r):pr(e)}else if(n>=o.viewTo){var a=dr(e,t,t,-1);a?(o.view=o.view.slice(0,a.index),o.viewTo=a.lineN):pr(e)}else{var s=dr(e,t,t,-1),l=dr(e,n,n+r,1);s&&l?(o.view=o.view.slice(0,s.index).concat(on(e,s.lineN,l.lineN)).concat(o.view.slice(l.index)),o.viewTo+=r):pr(e)}var c=o.externalMeasured;c&&(n<c.lineN?c.lineN+=r:t<c.lineN+c.size&&(o.externalMeasured=null))}function ur(e,t,n){e.curOp.viewChanged=!0;var r=e.display,o=e.display.externalMeasured;if(o&&t>=o.lineN&&t<o.lineN+o.size&&(r.externalMeasured=null),!(t<r.viewFrom||t>=r.viewTo)){var i=r.view[lr(e,t)];if(null!=i.node){var a=i.changes||(i.changes=[]);-1==U(a,n)&&a.push(n)}}}function pr(e){e.display.viewFrom=e.display.viewTo=e.doc.first,e.display.view=[],e.display.viewOffset=0}function dr(e,t,n,r){var o,i=lr(e,t),a=e.display.view;if(!xt||n==e.doc.first+e.doc.size)return{index:i,lineN:n};for(var s=e.display.viewFrom,l=0;l<i;l++)s+=a[l].size;if(s!=t){if(r>0){if(i==a.length-1)return null;o=s+a[i].size-t,i++}else o=s-t;t+=o,n+=o}for(;Bt(e.doc,n)!=n;){if(i==(r<0?0:a.length-1))return null;n+=r*a[i-(r<0?1:0)].size,i+=r}return{index:i,lineN:n}}function fr(e){for(var t=e.display.view,n=0,r=0;r<t.length;r++){var o=t[r];o.hidden||o.node&&!o.changes||++n}return n}function hr(e){e.display.input.showSelection(e.display.input.prepareSelection())}function mr(e,t){void 0===t&&(t=!0);for(var n=e.doc,r={},o=r.cursors=document.createDocumentFragment(),i=r.selection=document.createDocumentFragment(),a=0;a<n.sel.ranges.length;a++)if(t||a!=n.sel.primIndex){var s=n.sel.ranges[a];if(!(s.from().line>=e.display.viewTo||s.to().line<e.display.viewFrom)){var l=s.empty();(l||e.options.showCursorWhenSelecting)&&br(e,s.head,o),l||_r(e,s,i)}}return r}function br(e,t,n){var r=Gn(e,t,"div",null,null,!e.options.singleCursorHeightPerLine),o=n.appendChild(P("div"," ","CodeMirror-cursor"));if(o.style.left=r.left+"px",o.style.top=r.top+"px",o.style.height=Math.max(0,r.bottom-r.top)*e.options.cursorHeight+"px",r.other){var i=n.appendChild(P("div"," ","CodeMirror-cursor CodeMirror-secondarycursor"));i.style.display="",i.style.left=r.other.left+"px",i.style.top=r.other.top+"px",i.style.height=.85*(r.other.bottom-r.other.top)+"px"}}function gr(e,t){return e.top-t.top||e.left-t.left}function _r(e,t,n){var r=e.display,o=e.doc,i=document.createDocumentFragment(),a=En(e.display),s=a.left,l=Math.max(r.sizerWidth,Tn(e)-r.sizer.offsetLeft)-a.right,c="ltr"==o.direction;function u(e,t,n,r){t<0&&(t=0),t=Math.round(t),r=Math.round(r),i.appendChild(P("div",null,"CodeMirror-selected","position: absolute; left: "+e+"px;\n top: "+t+"px; width: "+(null==n?l-e:n)+"px;\n height: "+(r-t)+"px"))}function p(t,n,r){var i,a,p=Ke(o,t),d=p.text.length;function f(n,r){return Kn(e,et(t,n),"div",p,r)}function h(t,n,r){var o=Qn(e,p,null,t),i="ltr"==n==("after"==r)?"left":"right",a="after"==r?o.begin:o.end-(/\s/.test(p.text.charAt(o.end-1))?2:1);return f(a,i)[i]}var m=ue(p,o.direction);return function(e,t,n,r){if(!e)return r(t,n,"ltr",0);for(var o=!1,i=0;i<e.length;++i){var a=e[i];(a.from<n&&a.to>t||t==n&&a.to==t)&&(r(Math.max(a.from,t),Math.min(a.to,n),1==a.level?"rtl":"ltr",i),o=!0)}o||r(t,n,"ltr")}(m,n||0,null==r?d:r,function(e,t,o,p){var b="ltr"==o,g=f(e,b?"left":"right"),_=f(t-1,b?"right":"left"),v=null==n&&0==e,y=null==r&&t==d,w=0==p,x=!m||p==m.length-1;if(_.top-g.top<=3){var k=(c?v:y)&&w,C=(c?y:v)&&x,E=k?s:(b?g:_).left,O=C?l:(b?_:g).right;u(E,g.top,O-E,g.bottom)}else{var T,S,P,M;b?(T=c&&v&&w?s:g.left,S=c?l:h(e,o,"before"),P=c?s:h(t,o,"after"),M=c&&y&&x?l:_.right):(T=c?h(e,o,"before"):s,S=!c&&v&&w?l:g.right,P=!c&&y&&x?s:_.left,M=c?h(t,o,"after"):l),u(T,g.top,S-T,g.bottom),g.bottom<_.top&&u(s,g.bottom,null,_.top),u(P,_.top,M-P,_.bottom)}(!i||gr(g,i)<0)&&(i=g),gr(_,i)<0&&(i=_),(!a||gr(g,a)<0)&&(a=g),gr(_,a)<0&&(a=_)}),{start:i,end:a}}var d=t.from(),f=t.to();if(d.line==f.line)p(d.line,d.ch,f.ch);else{var h=Ke(o,d.line),m=Ke(o,f.line),b=Nt(h)==Nt(m),g=p(d.line,d.ch,b?h.text.length+1:null).end,_=p(f.line,b?0:null,f.ch).start;b&&(g.top<_.top-2?(u(g.right,g.top,null,g.bottom),u(s,_.top,_.left,_.bottom)):u(g.right,g.top,_.left-g.right,g.bottom)),g.bottom<_.top&&u(s,g.bottom,null,_.top)}n.appendChild(i)}function vr(e){if(e.state.focused){var t=e.display;clearInterval(t.blinker);var n=!0;t.cursorDiv.style.visibility="",e.options.cursorBlinkRate>0?t.blinker=setInterval(function(){return t.cursorDiv.style.visibility=(n=!n)?"":"hidden"},e.options.cursorBlinkRate):e.options.cursorBlinkRate<0&&(t.cursorDiv.style.visibility="hidden")}}function yr(e){e.state.focused||(e.display.input.focus(),xr(e))}function wr(e){e.state.delayingBlurEvent=!0,setTimeout(function(){e.state.delayingBlurEvent&&(e.state.delayingBlurEvent=!1,kr(e))},100)}function xr(e,t){e.state.delayingBlurEvent&&(e.state.delayingBlurEvent=!1),"nocursor"!=e.options.readOnly&&(e.state.focused||(me(e,"focus",e,t),e.state.focused=!0,R(e.display.wrapper,"CodeMirror-focused"),e.curOp||e.display.selForContextMenu==e.doc.sel||(e.display.input.reset(),l&&setTimeout(function(){return e.display.input.reset(!0)},20)),e.display.input.receivedFocus()),vr(e))}function kr(e,t){e.state.delayingBlurEvent||(e.state.focused&&(me(e,"blur",e,t),e.state.focused=!1,O(e.display.wrapper,"CodeMirror-focused")),clearInterval(e.display.blinker),setTimeout(function(){e.state.focused||(e.display.shift=!1)},150))}function Cr(e){for(var t=e.display,n=t.lineDiv.offsetTop,r=0;r<t.view.length;r++){var o=t.view[r],i=e.options.lineWrapping,l=void 0,c=0;if(!o.hidden){if(a&&s<8){var u=o.node.offsetTop+o.node.offsetHeight;l=u-n,n=u}else{var p=o.node.getBoundingClientRect();l=p.bottom-p.top,!i&&o.text.firstChild&&(c=o.text.firstChild.getBoundingClientRect().right-p.left-1)}var d=o.line.height-l;if((d>.005||d<-.005)&&(Xe(o.line,l),Er(o.line),o.rest))for(var f=0;f<o.rest.length;f++)Er(o.rest[f]);if(c>e.display.sizerWidth){var h=Math.ceil(c/nr(e.display));h>e.display.maxLineLength&&(e.display.maxLineLength=h,e.display.maxLine=o.line,e.display.maxLineChanged=!0)}}}}function Er(e){if(e.widgets)for(var t=0;t<e.widgets.length;++t){var n=e.widgets[t],r=n.node.parentNode;r&&(n.height=r.offsetHeight)}}function Or(e,t,n){var r=n&&null!=n.top?Math.max(0,n.top):e.scroller.scrollTop;r=Math.floor(r-kn(e));var o=n&&null!=n.bottom?n.bottom:r+e.wrapper.clientHeight,i=Je(t,r),a=Je(t,o);if(n&&n.ensure){var s=n.ensure.from.line,l=n.ensure.to.line;s<i?(i=s,a=Je(t,$t(Ke(t,s))+e.wrapper.clientHeight)):Math.min(l,t.lastLine())>=a&&(i=Je(t,$t(Ke(t,l))-e.wrapper.clientHeight),a=l)}return{from:i,to:Math.max(a,i+1)}}function Tr(e,t){var n=e.display,r=tr(e.display);t.top<0&&(t.top=0);var o=e.curOp&&null!=e.curOp.scrollTop?e.curOp.scrollTop:n.scroller.scrollTop,i=Sn(e),a={};t.bottom-t.top>i&&(t.bottom=t.top+i);var s=e.doc.height+Cn(n),l=t.top<r,c=t.bottom>s-r;if(t.top<o)a.scrollTop=l?0:t.top;else if(t.bottom>o+i){var u=Math.min(t.top,(c?s:t.bottom)-i);u!=o&&(a.scrollTop=u)}var p=e.curOp&&null!=e.curOp.scrollLeft?e.curOp.scrollLeft:n.scroller.scrollLeft,d=Tn(e)-(e.options.fixedGutter?n.gutters.offsetWidth:0),f=t.right-t.left>d;return f&&(t.right=t.left+d),t.left<10?a.scrollLeft=0:t.left<p?a.scrollLeft=Math.max(0,t.left-(f?0:10)):t.right>d+p-3&&(a.scrollLeft=t.right+(f?0:10)-d),a}function Sr(e,t){null!=t&&(Dr(e),e.curOp.scrollTop=(null==e.curOp.scrollTop?e.doc.scrollTop:e.curOp.scrollTop)+t)}function Pr(e){Dr(e);var t=e.getCursor();e.curOp.scrollToPos={from:t,to:t,margin:e.options.cursorScrollMargin}}function Mr(e,t,n){null==t&&null==n||Dr(e),null!=t&&(e.curOp.scrollLeft=t),null!=n&&(e.curOp.scrollTop=n)}function Dr(e){var t=e.curOp.scrollToPos;if(t){e.curOp.scrollToPos=null;var n=Vn(e,t.from),r=Vn(e,t.to);Ar(e,n,r,t.margin)}}function Ar(e,t,n,r){var o=Tr(e,{left:Math.min(t.left,n.left),top:Math.min(t.top,n.top)-r,right:Math.max(t.right,n.right),bottom:Math.max(t.bottom,n.bottom)+r});Mr(e,o.scrollLeft,o.scrollTop)}function Rr(e,t){Math.abs(e.doc.scrollTop-t)<2||(n||io(e,{top:t}),Lr(e,t,!0),n&&io(e),eo(e,100))}function Lr(e,t,n){t=Math.min(e.display.scroller.scrollHeight-e.display.scroller.clientHeight,t),(e.display.scroller.scrollTop!=t||n)&&(e.doc.scrollTop=t,e.display.scrollbars.setScrollTop(t),e.display.scroller.scrollTop!=t&&(e.display.scroller.scrollTop=t))}function Ir(e,t,n,r){t=Math.min(t,e.display.scroller.scrollWidth-e.display.scroller.clientWidth),(n?t==e.doc.scrollLeft:Math.abs(e.doc.scrollLeft-t)<2)&&!r||(e.doc.scrollLeft=t,lo(e),e.display.scroller.scrollLeft!=t&&(e.display.scroller.scrollLeft=t),e.display.scrollbars.setScrollLeft(t))}function Fr(e){var t=e.display,n=t.gutters.offsetWidth,r=Math.round(e.doc.height+Cn(e.display));return{clientHeight:t.scroller.clientHeight,viewHeight:t.wrapper.clientHeight,scrollWidth:t.scroller.scrollWidth,clientWidth:t.scroller.clientWidth,viewWidth:t.wrapper.clientWidth,barLeft:e.options.fixedGutter?n:0,docHeight:r,scrollHeight:r+On(e)+t.barHeight,nativeBarWidth:t.nativeBarWidth,gutterWidth:n}}var jr=function(e,t,n){this.cm=n;var r=this.vert=P("div",[P("div",null,null,"min-width: 1px")],"CodeMirror-vscrollbar"),o=this.horiz=P("div",[P("div",null,null,"height: 100%; min-height: 1px")],"CodeMirror-hscrollbar");r.tabIndex=o.tabIndex=-1,e(r),e(o),de(r,"scroll",function(){r.clientHeight&&t(r.scrollTop,"vertical")}),de(o,"scroll",function(){o.clientWidth&&t(o.scrollLeft,"horizontal")}),this.checkedZeroWidth=!1,a&&s<8&&(this.horiz.style.minHeight=this.vert.style.minWidth="18px")};jr.prototype.update=function(e){var t=e.scrollWidth>e.clientWidth+1,n=e.scrollHeight>e.clientHeight+1,r=e.nativeBarWidth;if(n){this.vert.style.display="block",this.vert.style.bottom=t?r+"px":"0";var o=e.viewHeight-(t?r:0);this.vert.firstChild.style.height=Math.max(0,e.scrollHeight-e.clientHeight+o)+"px"}else this.vert.style.display="",this.vert.firstChild.style.height="0";if(t){this.horiz.style.display="block",this.horiz.style.right=n?r+"px":"0",this.horiz.style.left=e.barLeft+"px";var i=e.viewWidth-e.barLeft-(n?r:0);this.horiz.firstChild.style.width=Math.max(0,e.scrollWidth-e.clientWidth+i)+"px"}else this.horiz.style.display="",this.horiz.firstChild.style.width="0";return!this.checkedZeroWidth&&e.clientHeight>0&&(0==r&&this.zeroWidthHack(),this.checkedZeroWidth=!0),{right:n?r:0,bottom:t?r:0}},jr.prototype.setScrollLeft=function(e){this.horiz.scrollLeft!=e&&(this.horiz.scrollLeft=e),this.disableHoriz&&this.enableZeroWidthBar(this.horiz,this.disableHoriz,"horiz")},jr.prototype.setScrollTop=function(e){this.vert.scrollTop!=e&&(this.vert.scrollTop=e),this.disableVert&&this.enableZeroWidthBar(this.vert,this.disableVert,"vert")},jr.prototype.zeroWidthHack=function(){var e=_&&!f?"12px":"18px";this.horiz.style.height=this.vert.style.width=e,this.horiz.style.pointerEvents=this.vert.style.pointerEvents="none",this.disableHoriz=new B,this.disableVert=new B},jr.prototype.enableZeroWidthBar=function(e,t,n){e.style.pointerEvents="auto",t.set(1e3,function r(){var o=e.getBoundingClientRect(),i="vert"==n?document.elementFromPoint(o.right-1,(o.top+o.bottom)/2):document.elementFromPoint((o.right+o.left)/2,o.bottom-1);i!=e?e.style.pointerEvents="none":t.set(1e3,r)})},jr.prototype.clear=function(){var e=this.horiz.parentNode;e.removeChild(this.horiz),e.removeChild(this.vert)};var Nr=function(){};function Br(e,t){t||(t=Fr(e));var n=e.display.barWidth,r=e.display.barHeight;Ur(e,t);for(var o=0;o<4&&n!=e.display.barWidth||r!=e.display.barHeight;o++)n!=e.display.barWidth&&e.options.lineWrapping&&Cr(e),Ur(e,Fr(e)),n=e.display.barWidth,r=e.display.barHeight}function Ur(e,t){var n=e.display,r=n.scrollbars.update(t);n.sizer.style.paddingRight=(n.barWidth=r.right)+"px",n.sizer.style.paddingBottom=(n.barHeight=r.bottom)+"px",n.heightForcer.style.borderBottom=r.bottom+"px solid transparent",r.right&&r.bottom?(n.scrollbarFiller.style.display="block",n.scrollbarFiller.style.height=r.bottom+"px",n.scrollbarFiller.style.width=r.right+"px"):n.scrollbarFiller.style.display="",r.bottom&&e.options.coverGutterNextToScrollbar&&e.options.fixedGutter?(n.gutterFiller.style.display="block",n.gutterFiller.style.height=r.bottom+"px",n.gutterFiller.style.width=t.gutterWidth+"px"):n.gutterFiller.style.display=""}Nr.prototype.update=function(){return{bottom:0,right:0}},Nr.prototype.setScrollLeft=function(){},Nr.prototype.setScrollTop=function(){},Nr.prototype.clear=function(){};var Wr={native:jr,null:Nr};function Hr(e){e.display.scrollbars&&(e.display.scrollbars.clear(),e.display.scrollbars.addClass&&O(e.display.wrapper,e.display.scrollbars.addClass)),e.display.scrollbars=new Wr[e.options.scrollbarStyle](function(t){e.display.wrapper.insertBefore(t,e.display.scrollbarFiller),de(t,"mousedown",function(){e.state.focused&&setTimeout(function(){return e.display.input.focus()},0)}),t.setAttribute("cm-not-content","true")},function(t,n){"horizontal"==n?Ir(e,t):Rr(e,t)},e),e.display.scrollbars.addClass&&R(e.display.wrapper,e.display.scrollbars.addClass)}var $r=0;function zr(e){var t;e.curOp={cm:e,viewChanged:!1,startHeight:e.doc.height,forceUpdate:!1,updateInput:0,typing:!1,changeObjs:null,cursorActivityHandlers:null,cursorActivityCalled:0,selectionChanged:!1,updateMaxLine:!1,scrollLeft:null,scrollTop:null,scrollToPos:null,focus:!1,id:++$r},t=e.curOp,an?an.ops.push(t):t.ownsGroup=an={ops:[t],delayedCallbacks:[]}}function qr(e){var t=e.curOp;t&&function(e,t){var n=e.ownsGroup;if(n)try{!function(e){var t=e.delayedCallbacks,n=0;do{for(;n<t.length;n++)t[n].call(null);for(var r=0;r<e.ops.length;r++){var o=e.ops[r];if(o.cursorActivityHandlers)for(;o.cursorActivityCalled<o.cursorActivityHandlers.length;)o.cursorActivityHandlers[o.cursorActivityCalled++].call(null,o.cm)}}while(n<t.length)}(n)}finally{an=null,t(n)}}(t,function(e){for(var t=0;t<e.ops.length;t++)e.ops[t].cm.curOp=null;!function(e){for(var t=e.ops,n=0;n<t.length;n++)Kr(t[n]);for(var r=0;r<t.length;r++)(o=t[r]).updatedDisplay=o.mustUpdate&&ro(o.cm,o.update);for(var o,i=0;i<t.length;i++)Gr(t[i]);for(var a=0;a<t.length;a++)Vr(t[a]);for(var s=0;s<t.length;s++)Xr(t[s])}(e)})}function Kr(e){var t=e.cm,n=t.display;!function(e){var t=e.display;!t.scrollbarsClipped&&t.scroller.offsetWidth&&(t.nativeBarWidth=t.scroller.offsetWidth-t.scroller.clientWidth,t.heightForcer.style.height=On(e)+"px",t.sizer.style.marginBottom=-t.nativeBarWidth+"px",t.sizer.style.borderRightWidth=On(e)+"px",t.scrollbarsClipped=!0)}(t),e.updateMaxLine&&qt(t),e.mustUpdate=e.viewChanged||e.forceUpdate||null!=e.scrollTop||e.scrollToPos&&(e.scrollToPos.from.line<n.viewFrom||e.scrollToPos.to.line>=n.viewTo)||n.maxLineChanged&&t.options.lineWrapping,e.update=e.mustUpdate&&new no(t,e.mustUpdate&&{top:e.scrollTop,ensure:e.scrollToPos},e.forceUpdate)}function Gr(e){var t=e.cm,n=t.display;e.updatedDisplay&&Cr(t),e.barMeasure=Fr(t),n.maxLineChanged&&!t.options.lineWrapping&&(e.adjustWidthTo=Mn(t,n.maxLine,n.maxLine.text.length).left+3,t.display.sizerWidth=e.adjustWidthTo,e.barMeasure.scrollWidth=Math.max(n.scroller.clientWidth,n.sizer.offsetLeft+e.adjustWidthTo+On(t)+t.display.barWidth),e.maxScrollLeft=Math.max(0,n.sizer.offsetLeft+e.adjustWidthTo-Tn(t))),(e.updatedDisplay||e.selectionChanged)&&(e.preparedSelection=n.input.prepareSelection())}function Vr(e){var t=e.cm;null!=e.adjustWidthTo&&(t.display.sizer.style.minWidth=e.adjustWidthTo+"px",e.maxScrollLeft<t.doc.scrollLeft&&Ir(t,Math.min(t.display.scroller.scrollLeft,e.maxScrollLeft),!0),t.display.maxLineChanged=!1);var n=e.focus&&e.focus==A();e.preparedSelection&&t.display.input.showSelection(e.preparedSelection,n),(e.updatedDisplay||e.startHeight!=t.doc.height)&&Br(t,e.barMeasure),e.updatedDisplay&&so(t,e.barMeasure),e.selectionChanged&&vr(t),t.state.focused&&e.updateInput&&t.display.input.reset(e.typing),n&&yr(e.cm)}function Xr(e){var t=e.cm,n=t.display,r=t.doc;if(e.updatedDisplay&&oo(t,e.update),null==n.wheelStartX||null==e.scrollTop&&null==e.scrollLeft&&!e.scrollToPos||(n.wheelStartX=n.wheelStartY=null),null!=e.scrollTop&&Lr(t,e.scrollTop,e.forceScroll),null!=e.scrollLeft&&Ir(t,e.scrollLeft,!0,!0),e.scrollToPos){var o=function(e,t,n,r){var o;null==r&&(r=0),e.options.lineWrapping||t!=n||(t=t.ch?et(t.line,"before"==t.sticky?t.ch-1:t.ch,"after"):t,n="before"==t.sticky?et(t.line,t.ch+1,"before"):t);for(var i=0;i<5;i++){var a=!1,s=Gn(e,t),l=n&&n!=t?Gn(e,n):s;o={left:Math.min(s.left,l.left),top:Math.min(s.top,l.top)-r,right:Math.max(s.left,l.left),bottom:Math.max(s.bottom,l.bottom)+r};var c=Tr(e,o),u=e.doc.scrollTop,p=e.doc.scrollLeft;if(null!=c.scrollTop&&(Rr(e,c.scrollTop),Math.abs(e.doc.scrollTop-u)>1&&(a=!0)),null!=c.scrollLeft&&(Ir(e,c.scrollLeft),Math.abs(e.doc.scrollLeft-p)>1&&(a=!0)),!a)break}return o}(t,st(r,e.scrollToPos.from),st(r,e.scrollToPos.to),e.scrollToPos.margin);!function(e,t){if(!be(e,"scrollCursorIntoView")){var n=e.display,r=n.sizer.getBoundingClientRect(),o=null;if(t.top+r.top<0?o=!0:t.bottom+r.top>(window.innerHeight||document.documentElement.clientHeight)&&(o=!1),null!=o&&!h){var i=P("div","​",null,"position: absolute;\n top: "+(t.top-n.viewOffset-kn(e.display))+"px;\n height: "+(t.bottom-t.top+On(e)+n.barHeight)+"px;\n left: "+t.left+"px; width: "+Math.max(2,t.right-t.left)+"px;");e.display.lineSpace.appendChild(i),i.scrollIntoView(o),e.display.lineSpace.removeChild(i)}}}(t,o)}var i=e.maybeHiddenMarkers,a=e.maybeUnhiddenMarkers;if(i)for(var s=0;s<i.length;++s)i[s].lines.length||me(i[s],"hide");if(a)for(var l=0;l<a.length;++l)a[l].lines.length&&me(a[l],"unhide");n.wrapper.offsetHeight&&(r.scrollTop=t.display.scroller.scrollTop),e.changeObjs&&me(t,"changes",t,e.changeObjs),e.update&&e.update.finish()}function Yr(e,t){if(e.curOp)return t();zr(e);try{return t()}finally{qr(e)}}function Jr(e,t){return function(){if(e.curOp)return t.apply(e,arguments);zr(e);try{return t.apply(e,arguments)}finally{qr(e)}}}function Qr(e){return function(){if(this.curOp)return e.apply(this,arguments);zr(this);try{return e.apply(this,arguments)}finally{qr(this)}}}function Zr(e){return function(){var t=this.cm;if(!t||t.curOp)return e.apply(this,arguments);zr(t);try{return e.apply(this,arguments)}finally{qr(t)}}}function eo(e,t){e.doc.highlightFrontier<e.display.viewTo&&e.state.highlight.set(t,F(to,e))}function to(e){var t=e.doc;if(!(t.highlightFrontier>=e.display.viewTo)){var n=+new Date+e.options.workTime,r=ft(e,t.highlightFrontier),o=[];t.iter(r.line,Math.min(t.first+t.size,e.display.viewTo+500),function(i){if(r.line>=e.display.viewFrom){var a=i.styles,s=i.text.length>e.options.maxHighlightLength?He(t.mode,r.state):null,l=pt(e,i,r,!0);s&&(r.state=s),i.styles=l.styles;var c=i.styleClasses,u=l.classes;u?i.styleClasses=u:c&&(i.styleClasses=null);for(var p=!a||a.length!=i.styles.length||c!=u&&(!c||!u||c.bgClass!=u.bgClass||c.textClass!=u.textClass),d=0;!p&&d<a.length;++d)p=a[d]!=i.styles[d];p&&o.push(r.line),i.stateAfter=r.save(),r.nextLine()}else i.text.length<=e.options.maxHighlightLength&&ht(e,i.text,r),i.stateAfter=r.line%5==0?r.save():null,r.nextLine();if(+new Date>n)return eo(e,e.options.workDelay),!0}),t.highlightFrontier=r.line,t.modeFrontier=Math.max(t.modeFrontier,r.line),o.length&&Yr(e,function(){for(var t=0;t<o.length;t++)ur(e,o[t],"text")})}}var no=function(e,t,n){var r=e.display;this.viewport=t,this.visible=Or(r,e.doc,t),this.editorIsHidden=!r.wrapper.offsetWidth,this.wrapperHeight=r.wrapper.clientHeight,this.wrapperWidth=r.wrapper.clientWidth,this.oldDisplayWidth=Tn(e),this.force=n,this.dims=rr(e),this.events=[]};function ro(e,t){var n=e.display,r=e.doc;if(t.editorIsHidden)return pr(e),!1;if(!t.force&&t.visible.from>=n.viewFrom&&t.visible.to<=n.viewTo&&(null==n.updateLineNumbers||n.updateLineNumbers>=n.viewTo)&&n.renderedView==n.view&&0==fr(e))return!1;co(e)&&(pr(e),t.dims=rr(e));var o=r.first+r.size,i=Math.max(t.visible.from-e.options.viewportMargin,r.first),a=Math.min(o,t.visible.to+e.options.viewportMargin);n.viewFrom<i&&i-n.viewFrom<20&&(i=Math.max(r.first,n.viewFrom)),n.viewTo>a&&n.viewTo-a<20&&(a=Math.min(o,n.viewTo)),xt&&(i=Bt(e.doc,i),a=Ut(e.doc,a));var s=i!=n.viewFrom||a!=n.viewTo||n.lastWrapHeight!=t.wrapperHeight||n.lastWrapWidth!=t.wrapperWidth;!function(e,t,n){var r=e.display;0==r.view.length||t>=r.viewTo||n<=r.viewFrom?(r.view=on(e,t,n),r.viewFrom=t):(r.viewFrom>t?r.view=on(e,t,r.viewFrom).concat(r.view):r.viewFrom<t&&(r.view=r.view.slice(lr(e,t))),r.viewFrom=t,r.viewTo<n?r.view=r.view.concat(on(e,r.viewTo,n)):r.viewTo>n&&(r.view=r.view.slice(0,lr(e,n)))),r.viewTo=n}(e,i,a),n.viewOffset=$t(Ke(e.doc,n.viewFrom)),e.display.mover.style.top=n.viewOffset+"px";var c=fr(e);if(!s&&0==c&&!t.force&&n.renderedView==n.view&&(null==n.updateLineNumbers||n.updateLineNumbers>=n.viewTo))return!1;var u=function(e){if(e.hasFocus())return null;var t=A();if(!t||!D(e.display.lineDiv,t))return null;var n={activeElt:t};if(window.getSelection){var r=window.getSelection();r.anchorNode&&r.extend&&D(e.display.lineDiv,r.anchorNode)&&(n.anchorNode=r.anchorNode,n.anchorOffset=r.anchorOffset,n.focusNode=r.focusNode,n.focusOffset=r.focusOffset)}return n}(e);return c>4&&(n.lineDiv.style.display="none"),function(e,t,n){var r=e.display,o=e.options.lineNumbers,i=r.lineDiv,a=i.firstChild;function s(t){var n=t.nextSibling;return l&&_&&e.display.currentWheelTarget==t?t.style.display="none":t.parentNode.removeChild(t),n}for(var c=r.view,u=r.viewFrom,p=0;p<c.length;p++){var d=c[p];if(d.hidden);else if(d.node&&d.node.parentNode==i){for(;a!=d.node;)a=s(a);var f=o&&null!=t&&t<=u&&d.lineNumber;d.changes&&(U(d.changes,"gutter")>-1&&(f=!1),un(e,d,u,n)),f&&(T(d.lineNumber),d.lineNumber.appendChild(document.createTextNode(Ze(e.options,u)))),a=d.node.nextSibling}else{var h=gn(e,d,u,n);i.insertBefore(h,a)}u+=d.size}for(;a;)a=s(a)}(e,n.updateLineNumbers,t.dims),c>4&&(n.lineDiv.style.display=""),n.renderedView=n.view,function(e){if(e&&e.activeElt&&e.activeElt!=A()&&(e.activeElt.focus(),e.anchorNode&&D(document.body,e.anchorNode)&&D(document.body,e.focusNode))){var t=window.getSelection(),n=document.createRange();n.setEnd(e.anchorNode,e.anchorOffset),n.collapse(!1),t.removeAllRanges(),t.addRange(n),t.extend(e.focusNode,e.focusOffset)}}(u),T(n.cursorDiv),T(n.selectionDiv),n.gutters.style.height=n.sizer.style.minHeight=0,s&&(n.lastWrapHeight=t.wrapperHeight,n.lastWrapWidth=t.wrapperWidth,eo(e,400)),n.updateLineNumbers=null,!0}function oo(e,t){for(var n=t.viewport,r=!0;(r&&e.options.lineWrapping&&t.oldDisplayWidth!=Tn(e)||(n&&null!=n.top&&(n={top:Math.min(e.doc.height+Cn(e.display)-Sn(e),n.top)}),t.visible=Or(e.display,e.doc,n),!(t.visible.from>=e.display.viewFrom&&t.visible.to<=e.display.viewTo)))&&ro(e,t);r=!1){Cr(e);var o=Fr(e);hr(e),Br(e,o),so(e,o),t.force=!1}t.signal(e,"update",e),e.display.viewFrom==e.display.reportedViewFrom&&e.display.viewTo==e.display.reportedViewTo||(t.signal(e,"viewportChange",e,e.display.viewFrom,e.display.viewTo),e.display.reportedViewFrom=e.display.viewFrom,e.display.reportedViewTo=e.display.viewTo)}function io(e,t){var n=new no(e,t);if(ro(e,n)){Cr(e),oo(e,n);var r=Fr(e);hr(e),Br(e,r),so(e,r),n.finish()}}function ao(e){var t=e.gutters.offsetWidth;e.sizer.style.marginLeft=t+"px"}function so(e,t){e.display.sizer.style.minHeight=t.docHeight+"px",e.display.heightForcer.style.top=t.docHeight+"px",e.display.gutters.style.height=t.docHeight+e.display.barHeight+On(e)+"px"}function lo(e){var t=e.display,n=t.view;if(t.alignWidgets||t.gutters.firstChild&&e.options.fixedGutter){for(var r=or(t)-t.scroller.scrollLeft+e.doc.scrollLeft,o=t.gutters.offsetWidth,i=r+"px",a=0;a<n.length;a++)if(!n[a].hidden){e.options.fixedGutter&&(n[a].gutter&&(n[a].gutter.style.left=i),n[a].gutterBackground&&(n[a].gutterBackground.style.left=i));var s=n[a].alignable;if(s)for(var l=0;l<s.length;l++)s[l].style.left=i}e.options.fixedGutter&&(t.gutters.style.left=r+o+"px")}}function co(e){if(!e.options.lineNumbers)return!1;var t=e.doc,n=Ze(e.options,t.first+t.size-1),r=e.display;if(n.length!=r.lineNumChars){var o=r.measure.appendChild(P("div",[P("div",n)],"CodeMirror-linenumber CodeMirror-gutter-elt")),i=o.firstChild.offsetWidth,a=o.offsetWidth-i;return r.lineGutter.style.width="",r.lineNumInnerWidth=Math.max(i,r.lineGutter.offsetWidth-a)+1,r.lineNumWidth=r.lineNumInnerWidth+a,r.lineNumChars=r.lineNumInnerWidth?n.length:-1,r.lineGutter.style.width=r.lineNumWidth+"px",ao(e.display),!0}return!1}function uo(e,t){for(var n=[],r=!1,o=0;o<e.length;o++){var i=e[o],a=null;if("string"!=typeof i&&(a=i.style,i=i.className),"CodeMirror-linenumbers"==i){if(!t)continue;r=!0}n.push({className:i,style:a})}return t&&!r&&n.push({className:"CodeMirror-linenumbers",style:null}),n}function po(e){var t=e.gutters,n=e.gutterSpecs;T(t),e.lineGutter=null;for(var r=0;r<n.length;++r){var o=n[r],i=o.className,a=o.style,s=t.appendChild(P("div",null,"CodeMirror-gutter "+i));a&&(s.style.cssText=a),"CodeMirror-linenumbers"==i&&(e.lineGutter=s,s.style.width=(e.lineNumWidth||1)+"px")}t.style.display=n.length?"":"none",ao(e)}function fo(e){po(e.display),cr(e),lo(e)}function ho(e,t,r,o){var i=this;this.input=r,i.scrollbarFiller=P("div",null,"CodeMirror-scrollbar-filler"),i.scrollbarFiller.setAttribute("cm-not-content","true"),i.gutterFiller=P("div",null,"CodeMirror-gutter-filler"),i.gutterFiller.setAttribute("cm-not-content","true"),i.lineDiv=M("div",null,"CodeMirror-code"),i.selectionDiv=P("div",null,null,"position: relative; z-index: 1"),i.cursorDiv=P("div",null,"CodeMirror-cursors"),i.measure=P("div",null,"CodeMirror-measure"),i.lineMeasure=P("div",null,"CodeMirror-measure"),i.lineSpace=M("div",[i.measure,i.lineMeasure,i.selectionDiv,i.cursorDiv,i.lineDiv],null,"position: relative; outline: none");var c=M("div",[i.lineSpace],"CodeMirror-lines");i.mover=P("div",[c],null,"position: relative"),i.sizer=P("div",[i.mover],"CodeMirror-sizer"),i.sizerWidth=null,i.heightForcer=P("div",null,null,"position: absolute; height: "+W+"px; width: 1px;"),i.gutters=P("div",null,"CodeMirror-gutters"),i.lineGutter=null,i.scroller=P("div",[i.sizer,i.heightForcer,i.gutters],"CodeMirror-scroll"),i.scroller.setAttribute("tabIndex","-1"),i.wrapper=P("div",[i.scrollbarFiller,i.gutterFiller,i.scroller],"CodeMirror"),a&&s<8&&(i.gutters.style.zIndex=-1,i.scroller.style.paddingRight=0),l||n&&g||(i.scroller.draggable=!0),e&&(e.appendChild?e.appendChild(i.wrapper):e(i.wrapper)),i.viewFrom=i.viewTo=t.first,i.reportedViewFrom=i.reportedViewTo=t.first,i.view=[],i.renderedView=null,i.externalMeasured=null,i.viewOffset=0,i.lastWrapHeight=i.lastWrapWidth=0,i.updateLineNumbers=null,i.nativeBarWidth=i.barHeight=i.barWidth=0,i.scrollbarsClipped=!1,i.lineNumWidth=i.lineNumInnerWidth=i.lineNumChars=null,i.alignWidgets=!1,i.cachedCharWidth=i.cachedTextHeight=i.cachedPaddingH=null,i.maxLine=null,i.maxLineLength=0,i.maxLineChanged=!1,i.wheelDX=i.wheelDY=i.wheelStartX=i.wheelStartY=null,i.shift=!1,i.selForContextMenu=null,i.activeTouch=null,i.gutterSpecs=uo(o.gutters,o.lineNumbers),po(i),r.init(i)}no.prototype.signal=function(e,t){_e(e,t)&&this.events.push(arguments)},no.prototype.finish=function(){for(var e=0;e<this.events.length;e++)me.apply(null,this.events[e])};var mo=0,bo=null;function go(e){var t=e.wheelDeltaX,n=e.wheelDeltaY;return null==t&&e.detail&&e.axis==e.HORIZONTAL_AXIS&&(t=e.detail),null==n&&e.detail&&e.axis==e.VERTICAL_AXIS?n=e.detail:null==n&&(n=e.wheelDelta),{x:t,y:n}}function _o(e){var t=go(e);return t.x*=bo,t.y*=bo,t}function vo(e,t){var r=go(t),o=r.x,i=r.y,a=e.display,s=a.scroller,c=s.scrollWidth>s.clientWidth,u=s.scrollHeight>s.clientHeight;if(o&&c||i&&u){if(i&&_&&l)e:for(var d=t.target,f=a.view;d!=s;d=d.parentNode)for(var h=0;h<f.length;h++)if(f[h].node==d){e.display.currentWheelTarget=d;break e}if(o&&!n&&!p&&null!=bo)return i&&u&&Rr(e,Math.max(0,s.scrollTop+i*bo)),Ir(e,Math.max(0,s.scrollLeft+o*bo)),(!i||i&&u)&&ye(t),void(a.wheelStartX=null);if(i&&null!=bo){var m=i*bo,b=e.doc.scrollTop,g=b+a.wrapper.clientHeight;m<0?b=Math.max(0,b+m-50):g=Math.min(e.doc.height,g+m+50),io(e,{top:b,bottom:g})}mo<20&&(null==a.wheelStartX?(a.wheelStartX=s.scrollLeft,a.wheelStartY=s.scrollTop,a.wheelDX=o,a.wheelDY=i,setTimeout(function(){if(null!=a.wheelStartX){var e=s.scrollLeft-a.wheelStartX,t=s.scrollTop-a.wheelStartY,n=t&&a.wheelDY&&t/a.wheelDY||e&&a.wheelDX&&e/a.wheelDX;a.wheelStartX=a.wheelStartY=null,n&&(bo=(bo*mo+n)/(mo+1),++mo)}},200)):(a.wheelDX+=o,a.wheelDY+=i))}}a?bo=-.53:n?bo=15:u?bo=-.7:d&&(bo=-1/3);var yo=function(e,t){this.ranges=e,this.primIndex=t};yo.prototype.primary=function(){return this.ranges[this.primIndex]},yo.prototype.equals=function(e){if(e==this)return!0;if(e.primIndex!=this.primIndex||e.ranges.length!=this.ranges.length)return!1;for(var t=0;t<this.ranges.length;t++){var n=this.ranges[t],r=e.ranges[t];if(!nt(n.anchor,r.anchor)||!nt(n.head,r.head))return!1}return!0},yo.prototype.deepCopy=function(){for(var e=[],t=0;t<this.ranges.length;t++)e[t]=new wo(rt(this.ranges[t].anchor),rt(this.ranges[t].head));return new yo(e,this.primIndex)},yo.prototype.somethingSelected=function(){for(var e=0;e<this.ranges.length;e++)if(!this.ranges[e].empty())return!0;return!1},yo.prototype.contains=function(e,t){t||(t=e);for(var n=0;n<this.ranges.length;n++){var r=this.ranges[n];if(tt(t,r.from())>=0&&tt(e,r.to())<=0)return n}return-1};var wo=function(e,t){this.anchor=e,this.head=t};function xo(e,t,n){var r=e&&e.options.selectionsMayTouch,o=t[n];t.sort(function(e,t){return tt(e.from(),t.from())}),n=U(t,o);for(var i=1;i<t.length;i++){var a=t[i],s=t[i-1],l=tt(s.to(),a.from());if(r&&!a.empty()?l>0:l>=0){var c=it(s.from(),a.from()),u=ot(s.to(),a.to()),p=s.empty()?a.from()==a.head:s.from()==s.head;i<=n&&--n,t.splice(--i,2,new wo(p?u:c,p?c:u))}}return new yo(t,n)}function ko(e,t){return new yo([new wo(e,t||e)],0)}function Co(e){return e.text?et(e.from.line+e.text.length-1,X(e.text).length+(1==e.text.length?e.from.ch:0)):e.to}function Eo(e,t){if(tt(e,t.from)<0)return e;if(tt(e,t.to)<=0)return Co(t);var n=e.line+t.text.length-(t.to.line-t.from.line)-1,r=e.ch;return e.line==t.to.line&&(r+=Co(t).ch-t.to.ch),et(n,r)}function Oo(e,t){for(var n=[],r=0;r<e.sel.ranges.length;r++){var o=e.sel.ranges[r];n.push(new wo(Eo(o.anchor,t),Eo(o.head,t)))}return xo(e.cm,n,e.sel.primIndex)}function To(e,t,n){return e.line==t.line?et(n.line,e.ch-t.ch+n.ch):et(n.line+(e.line-t.line),e.ch)}function So(e){e.doc.mode=Be(e.options,e.doc.modeOption),Po(e)}function Po(e){e.doc.iter(function(e){e.stateAfter&&(e.stateAfter=null),e.styles&&(e.styles=null)}),e.doc.modeFrontier=e.doc.highlightFrontier=e.doc.first,eo(e,100),e.state.modeGen++,e.curOp&&cr(e)}function Mo(e,t){return 0==t.from.ch&&0==t.to.ch&&""==X(t.text)&&(!e.cm||e.cm.options.wholeLineUpdateBefore)}function Do(e,t,n,r){function o(e){return n?n[e]:null}function i(e,n,o){!function(e,t,n,r){e.text=t,e.stateAfter&&(e.stateAfter=null),e.styles&&(e.styles=null),null!=e.order&&(e.order=null),St(e),Pt(e,n);var o=r?r(e):1;o!=e.height&&Xe(e,o)}(e,n,o,r),ln(e,"change",e,t)}function a(e,t){for(var n=[],i=e;i<t;++i)n.push(new Kt(c[i],o(i),r));return n}var s=t.from,l=t.to,c=t.text,u=Ke(e,s.line),p=Ke(e,l.line),d=X(c),f=o(c.length-1),h=l.line-s.line;if(t.full)e.insert(0,a(0,c.length)),e.remove(c.length,e.size-c.length);else if(Mo(e,t)){var m=a(0,c.length-1);i(p,p.text,f),h&&e.remove(s.line,h),m.length&&e.insert(s.line,m)}else if(u==p)if(1==c.length)i(u,u.text.slice(0,s.ch)+d+u.text.slice(l.ch),f);else{var b=a(1,c.length-1);b.push(new Kt(d+u.text.slice(l.ch),f,r)),i(u,u.text.slice(0,s.ch)+c[0],o(0)),e.insert(s.line+1,b)}else if(1==c.length)i(u,u.text.slice(0,s.ch)+c[0]+p.text.slice(l.ch),o(0)),e.remove(s.line+1,h);else{i(u,u.text.slice(0,s.ch)+c[0],o(0)),i(p,d+p.text.slice(l.ch),f);var g=a(1,c.length-1);h>1&&e.remove(s.line+1,h-1),e.insert(s.line+1,g)}ln(e,"change",e,t)}function Ao(e,t,n){!function e(r,o,i){if(r.linked)for(var a=0;a<r.linked.length;++a){var s=r.linked[a];if(s.doc!=o){var l=i&&s.sharedHist;n&&!l||(t(s.doc,l),e(s.doc,r,l))}}}(e,null,!0)}function Ro(e,t){if(t.cm)throw new Error("This document is already in use.");e.doc=t,t.cm=e,ar(e),So(e),Lo(e),e.options.lineWrapping||qt(e),e.options.mode=t.modeOption,cr(e)}function Lo(e){("rtl"==e.doc.direction?R:O)(e.display.lineDiv,"CodeMirror-rtl")}function Io(e){this.done=[],this.undone=[],this.undoDepth=1/0,this.lastModTime=this.lastSelTime=0,this.lastOp=this.lastSelOp=null,this.lastOrigin=this.lastSelOrigin=null,this.generation=this.maxGeneration=e||1}function Fo(e,t){var n={from:rt(t.from),to:Co(t),text:Ge(e,t.from,t.to)};return Wo(e,n,t.from.line,t.to.line+1),Ao(e,function(e){return Wo(e,n,t.from.line,t.to.line+1)},!0),n}function jo(e){for(;e.length;){var t=X(e);if(!t.ranges)break;e.pop()}}function No(e,t,n,r){var o=e.history;o.undone.length=0;var i,a,s=+new Date;if((o.lastOp==r||o.lastOrigin==t.origin&&t.origin&&("+"==t.origin.charAt(0)&&o.lastModTime>s-(e.cm?e.cm.options.historyEventDelay:500)||"*"==t.origin.charAt(0)))&&(i=function(e,t){return t?(jo(e.done),X(e.done)):e.done.length&&!X(e.done).ranges?X(e.done):e.done.length>1&&!e.done[e.done.length-2].ranges?(e.done.pop(),X(e.done)):void 0}(o,o.lastOp==r)))a=X(i.changes),0==tt(t.from,t.to)&&0==tt(t.from,a.to)?a.to=Co(t):i.changes.push(Fo(e,t));else{var l=X(o.done);for(l&&l.ranges||Uo(e.sel,o.done),i={changes:[Fo(e,t)],generation:o.generation},o.done.push(i);o.done.length>o.undoDepth;)o.done.shift(),o.done[0].ranges||o.done.shift()}o.done.push(n),o.generation=++o.maxGeneration,o.lastModTime=o.lastSelTime=s,o.lastOp=o.lastSelOp=r,o.lastOrigin=o.lastSelOrigin=t.origin,a||me(e,"historyAdded")}function Bo(e,t,n,r){var o=e.history,i=r&&r.origin;n==o.lastSelOp||i&&o.lastSelOrigin==i&&(o.lastModTime==o.lastSelTime&&o.lastOrigin==i||function(e,t,n,r){var o=t.charAt(0);return"*"==o||"+"==o&&n.ranges.length==r.ranges.length&&n.somethingSelected()==r.somethingSelected()&&new Date-e.history.lastSelTime<=(e.cm?e.cm.options.historyEventDelay:500)}(e,i,X(o.done),t))?o.done[o.done.length-1]=t:Uo(t,o.done),o.lastSelTime=+new Date,o.lastSelOrigin=i,o.lastSelOp=n,r&&!1!==r.clearRedo&&jo(o.undone)}function Uo(e,t){var n=X(t);n&&n.ranges&&n.equals(e)||t.push(e)}function Wo(e,t,n,r){var o=t["spans_"+e.id],i=0;e.iter(Math.max(e.first,n),Math.min(e.first+e.size,r),function(n){n.markedSpans&&((o||(o=t["spans_"+e.id]={}))[i]=n.markedSpans),++i})}function Ho(e){if(!e)return null;for(var t,n=0;n<e.length;++n)e[n].marker.explicitlyCleared?t||(t=e.slice(0,n)):t&&t.push(e[n]);return t?t.length?t:null:e}function $o(e,t){var n=function(e,t){var n=t["spans_"+e.id];if(!n)return null;for(var r=[],o=0;o<t.text.length;++o)r.push(Ho(n[o]));return r}(e,t),r=Ot(e,t);if(!n)return r;if(!r)return n;for(var o=0;o<n.length;++o){var i=n[o],a=r[o];if(i&&a)e:for(var s=0;s<a.length;++s){for(var l=a[s],c=0;c<i.length;++c)if(i[c].marker==l.marker)continue e;i.push(l)}else a&&(n[o]=a)}return n}function zo(e,t,n){for(var r=[],o=0;o<e.length;++o){var i=e[o];if(i.ranges)r.push(n?yo.prototype.deepCopy.call(i):i);else{var a=i.changes,s=[];r.push({changes:s});for(var l=0;l<a.length;++l){var c=a[l],u=void 0;if(s.push({from:c.from,to:c.to,text:c.text}),t)for(var p in c)(u=p.match(/^spans_(\d+)$/))&&U(t,Number(u[1]))>-1&&(X(s)[p]=c[p],delete c[p])}}}return r}function qo(e,t,n,r){if(r){var o=e.anchor;if(n){var i=tt(t,o)<0;i!=tt(n,o)<0?(o=t,t=n):i!=tt(t,n)<0&&(t=n)}return new wo(o,t)}return new wo(n||t,t)}function Ko(e,t,n,r,o){null==o&&(o=e.cm&&(e.cm.display.shift||e.extend)),Jo(e,new yo([qo(e.sel.primary(),t,n,o)],0),r)}function Go(e,t,n){for(var r=[],o=e.cm&&(e.cm.display.shift||e.extend),i=0;i<e.sel.ranges.length;i++)r[i]=qo(e.sel.ranges[i],t[i],null,o);var a=xo(e.cm,r,e.sel.primIndex);Jo(e,a,n)}function Vo(e,t,n,r){var o=e.sel.ranges.slice(0);o[t]=n,Jo(e,xo(e.cm,o,e.sel.primIndex),r)}function Xo(e,t,n,r){Jo(e,ko(t,n),r)}function Yo(e,t,n){var r=e.history.done,o=X(r);o&&o.ranges?(r[r.length-1]=t,Qo(e,t,n)):Jo(e,t,n)}function Jo(e,t,n){Qo(e,t,n),Bo(e,e.sel,e.cm?e.cm.curOp.id:NaN,n)}function Qo(e,t,n){(_e(e,"beforeSelectionChange")||e.cm&&_e(e.cm,"beforeSelectionChange"))&&(t=function(e,t,n){var r={ranges:t.ranges,update:function(t){this.ranges=[];for(var n=0;n<t.length;n++)this.ranges[n]=new wo(st(e,t[n].anchor),st(e,t[n].head))},origin:n&&n.origin};return me(e,"beforeSelectionChange",e,r),e.cm&&me(e.cm,"beforeSelectionChange",e.cm,r),r.ranges!=t.ranges?xo(e.cm,r.ranges,r.ranges.length-1):t}(e,t,n));var r=n&&n.bias||(tt(t.primary().head,e.sel.primary().head)<0?-1:1);Zo(e,ti(e,t,r,!0)),n&&!1===n.scroll||!e.cm||Pr(e.cm)}function Zo(e,t){t.equals(e.sel)||(e.sel=t,e.cm&&(e.cm.curOp.updateInput=1,e.cm.curOp.selectionChanged=!0,ge(e.cm)),ln(e,"cursorActivity",e))}function ei(e){Zo(e,ti(e,e.sel,null,!1))}function ti(e,t,n,r){for(var o,i=0;i<t.ranges.length;i++){var a=t.ranges[i],s=t.ranges.length==e.sel.ranges.length&&e.sel.ranges[i],l=ri(e,a.anchor,s&&s.anchor,n,r),c=ri(e,a.head,s&&s.head,n,r);(o||l!=a.anchor||c!=a.head)&&(o||(o=t.ranges.slice(0,i)),o[i]=new wo(l,c))}return o?xo(e.cm,o,t.primIndex):t}function ni(e,t,n,r,o){var i=Ke(e,t.line);if(i.markedSpans)for(var a=0;a<i.markedSpans.length;++a){var s=i.markedSpans[a],l=s.marker;if((null==s.from||(l.inclusiveLeft?s.from<=t.ch:s.from<t.ch))&&(null==s.to||(l.inclusiveRight?s.to>=t.ch:s.to>t.ch))){if(o&&(me(l,"beforeCursorEnter"),l.explicitlyCleared)){if(i.markedSpans){--a;continue}break}if(!l.atomic)continue;if(n){var c=l.find(r<0?1:-1),u=void 0;if((r<0?l.inclusiveRight:l.inclusiveLeft)&&(c=oi(e,c,-r,c&&c.line==t.line?i:null)),c&&c.line==t.line&&(u=tt(c,n))&&(r<0?u<0:u>0))return ni(e,c,t,r,o)}var p=l.find(r<0?-1:1);return(r<0?l.inclusiveLeft:l.inclusiveRight)&&(p=oi(e,p,r,p.line==t.line?i:null)),p?ni(e,p,t,r,o):null}}return t}function ri(e,t,n,r,o){var i=r||1,a=ni(e,t,n,i,o)||!o&&ni(e,t,n,i,!0)||ni(e,t,n,-i,o)||!o&&ni(e,t,n,-i,!0);return a||(e.cantEdit=!0,et(e.first,0))}function oi(e,t,n,r){return n<0&&0==t.ch?t.line>e.first?st(e,et(t.line-1)):null:n>0&&t.ch==(r||Ke(e,t.line)).text.length?t.line<e.first+e.size-1?et(t.line+1,0):null:new et(t.line,t.ch+n)}function ii(e){e.setSelection(et(e.firstLine(),0),et(e.lastLine()),$)}function ai(e,t,n){var r={canceled:!1,from:t.from,to:t.to,text:t.text,origin:t.origin,cancel:function(){return r.canceled=!0}};return n&&(r.update=function(t,n,o,i){t&&(r.from=st(e,t)),n&&(r.to=st(e,n)),o&&(r.text=o),void 0!==i&&(r.origin=i)}),me(e,"beforeChange",e,r),e.cm&&me(e.cm,"beforeChange",e.cm,r),r.canceled?(e.cm&&(e.cm.curOp.updateInput=2),null):{from:r.from,to:r.to,text:r.text,origin:r.origin}}function si(e,t,n){if(e.cm){if(!e.cm.curOp)return Jr(e.cm,si)(e,t,n);if(e.cm.state.suppressEdits)return}if(!(_e(e,"beforeChange")||e.cm&&_e(e.cm,"beforeChange"))||(t=ai(e,t,!0))){var r=wt&&!n&&function(e,t,n){var r=null;if(e.iter(t.line,n.line+1,function(e){if(e.markedSpans)for(var t=0;t<e.markedSpans.length;++t){var n=e.markedSpans[t].marker;!n.readOnly||r&&-1!=U(r,n)||(r||(r=[])).push(n)}}),!r)return null;for(var o=[{from:t,to:n}],i=0;i<r.length;++i)for(var a=r[i],s=a.find(0),l=0;l<o.length;++l){var c=o[l];if(!(tt(c.to,s.from)<0||tt(c.from,s.to)>0)){var u=[l,1],p=tt(c.from,s.from),d=tt(c.to,s.to);(p<0||!a.inclusiveLeft&&!p)&&u.push({from:c.from,to:s.from}),(d>0||!a.inclusiveRight&&!d)&&u.push({from:s.to,to:c.to}),o.splice.apply(o,u),l+=u.length-3}}return o}(e,t.from,t.to);if(r)for(var o=r.length-1;o>=0;--o)li(e,{from:r[o].from,to:r[o].to,text:o?[""]:t.text,origin:t.origin});else li(e,t)}}function li(e,t){if(1!=t.text.length||""!=t.text[0]||0!=tt(t.from,t.to)){var n=Oo(e,t);No(e,t,n,e.cm?e.cm.curOp.id:NaN),pi(e,t,n,Ot(e,t));var r=[];Ao(e,function(e,n){n||-1!=U(r,e.history)||(mi(e.history,t),r.push(e.history)),pi(e,t,null,Ot(e,t))})}}function ci(e,t,n){var r=e.cm&&e.cm.state.suppressEdits;if(!r||n){for(var o,i=e.history,a=e.sel,s="undo"==t?i.done:i.undone,l="undo"==t?i.undone:i.done,c=0;c<s.length&&(o=s[c],n?!o.ranges||o.equals(e.sel):o.ranges);c++);if(c!=s.length){for(i.lastOrigin=i.lastSelOrigin=null;;){if(!(o=s.pop()).ranges){if(r)return void s.push(o);break}if(Uo(o,l),n&&!o.equals(e.sel))return void Jo(e,o,{clearRedo:!1});a=o}var u=[];Uo(a,l),l.push({changes:u,generation:i.generation}),i.generation=o.generation||++i.maxGeneration;for(var p=_e(e,"beforeChange")||e.cm&&_e(e.cm,"beforeChange"),d=function(n){var r=o.changes[n];if(r.origin=t,p&&!ai(e,r,!1))return s.length=0,{};u.push(Fo(e,r));var i=n?Oo(e,r):X(s);pi(e,r,i,$o(e,r)),!n&&e.cm&&e.cm.scrollIntoView({from:r.from,to:Co(r)});var a=[];Ao(e,function(e,t){t||-1!=U(a,e.history)||(mi(e.history,r),a.push(e.history)),pi(e,r,null,$o(e,r))})},f=o.changes.length-1;f>=0;--f){var h=d(f);if(h)return h.v}}}}function ui(e,t){if(0!=t&&(e.first+=t,e.sel=new yo(Y(e.sel.ranges,function(e){return new wo(et(e.anchor.line+t,e.anchor.ch),et(e.head.line+t,e.head.ch))}),e.sel.primIndex),e.cm)){cr(e.cm,e.first,e.first-t,t);for(var n=e.cm.display,r=n.viewFrom;r<n.viewTo;r++)ur(e.cm,r,"gutter")}}function pi(e,t,n,r){if(e.cm&&!e.cm.curOp)return Jr(e.cm,pi)(e,t,n,r);if(t.to.line<e.first)ui(e,t.text.length-1-(t.to.line-t.from.line));else if(!(t.from.line>e.lastLine())){if(t.from.line<e.first){var o=t.text.length-1-(e.first-t.from.line);ui(e,o),t={from:et(e.first,0),to:et(t.to.line+o,t.to.ch),text:[X(t.text)],origin:t.origin}}var i=e.lastLine();t.to.line>i&&(t={from:t.from,to:et(i,Ke(e,i).text.length),text:[t.text[0]],origin:t.origin}),t.removed=Ge(e,t.from,t.to),n||(n=Oo(e,t)),e.cm?function(e,t,n){var r=e.doc,o=e.display,i=t.from,a=t.to,s=!1,l=i.line;e.options.lineWrapping||(l=Ye(Nt(Ke(r,i.line))),r.iter(l,a.line+1,function(e){if(e==o.maxLine)return s=!0,!0})),r.sel.contains(t.from,t.to)>-1&&ge(e),Do(r,t,n,ir(e)),e.options.lineWrapping||(r.iter(l,i.line+t.text.length,function(e){var t=zt(e);t>o.maxLineLength&&(o.maxLine=e,o.maxLineLength=t,o.maxLineChanged=!0,s=!1)}),s&&(e.curOp.updateMaxLine=!0)),function(e,t){if(e.modeFrontier=Math.min(e.modeFrontier,t),!(e.highlightFrontier<t-10)){for(var n=e.first,r=t-1;r>n;r--){var o=Ke(e,r).stateAfter;if(o&&(!(o instanceof ct)||r+o.lookAhead<t)){n=r+1;break}}e.highlightFrontier=Math.min(e.highlightFrontier,n)}}(r,i.line),eo(e,400);var c=t.text.length-(a.line-i.line)-1;t.full?cr(e):i.line!=a.line||1!=t.text.length||Mo(e.doc,t)?cr(e,i.line,a.line+1,c):ur(e,i.line,"text");var u=_e(e,"changes"),p=_e(e,"change");if(p||u){var d={from:i,to:a,text:t.text,removed:t.removed,origin:t.origin};p&&ln(e,"change",e,d),u&&(e.curOp.changeObjs||(e.curOp.changeObjs=[])).push(d)}e.display.selForContextMenu=null}(e.cm,t,r):Do(e,t,r),Qo(e,n,$)}}function di(e,t,n,r,o){var i;r||(r=n),tt(r,n)<0&&(n=(i=[r,n])[0],r=i[1]),"string"==typeof t&&(t=e.splitLines(t)),si(e,{from:n,to:r,text:t,origin:o})}function fi(e,t,n,r){n<e.line?e.line+=r:t<e.line&&(e.line=t,e.ch=0)}function hi(e,t,n,r){for(var o=0;o<e.length;++o){var i=e[o],a=!0;if(i.ranges){i.copied||((i=e[o]=i.deepCopy()).copied=!0);for(var s=0;s<i.ranges.length;s++)fi(i.ranges[s].anchor,t,n,r),fi(i.ranges[s].head,t,n,r)}else{for(var l=0;l<i.changes.length;++l){var c=i.changes[l];if(n<c.from.line)c.from=et(c.from.line+r,c.from.ch),c.to=et(c.to.line+r,c.to.ch);else if(t<=c.to.line){a=!1;break}}a||(e.splice(0,o+1),o=0)}}}function mi(e,t){var n=t.from.line,r=t.to.line,o=t.text.length-(r-n)-1;hi(e.done,n,r,o),hi(e.undone,n,r,o)}function bi(e,t,n,r){var o=t,i=t;return"number"==typeof t?i=Ke(e,at(e,t)):o=Ye(t),null==o?null:(r(i,o)&&e.cm&&ur(e.cm,o,n),i)}function gi(e){this.lines=e,this.parent=null;for(var t=0,n=0;n<e.length;++n)e[n].parent=this,t+=e[n].height;this.height=t}function _i(e){this.children=e;for(var t=0,n=0,r=0;r<e.length;++r){var o=e[r];t+=o.chunkSize(),n+=o.height,o.parent=this}this.size=t,this.height=n,this.parent=null}wo.prototype.from=function(){return it(this.anchor,this.head)},wo.prototype.to=function(){return ot(this.anchor,this.head)},wo.prototype.empty=function(){return this.head.line==this.anchor.line&&this.head.ch==this.anchor.ch},gi.prototype={chunkSize:function(){return this.lines.length},removeInner:function(e,t){for(var n=e,r=e+t;n<r;++n){var o=this.lines[n];this.height-=o.height,Gt(o),ln(o,"delete")}this.lines.splice(e,t)},collapse:function(e){e.push.apply(e,this.lines)},insertInner:function(e,t,n){this.height+=n,this.lines=this.lines.slice(0,e).concat(t).concat(this.lines.slice(e));for(var r=0;r<t.length;++r)t[r].parent=this},iterN:function(e,t,n){for(var r=e+t;e<r;++e)if(n(this.lines[e]))return!0}},_i.prototype={chunkSize:function(){return this.size},removeInner:function(e,t){this.size-=t;for(var n=0;n<this.children.length;++n){var r=this.children[n],o=r.chunkSize();if(e<o){var i=Math.min(t,o-e),a=r.height;if(r.removeInner(e,i),this.height-=a-r.height,o==i&&(this.children.splice(n--,1),r.parent=null),0==(t-=i))break;e=0}else e-=o}if(this.size-t<25&&(this.children.length>1||!(this.children[0]instanceof gi))){var s=[];this.collapse(s),this.children=[new gi(s)],this.children[0].parent=this}},collapse:function(e){for(var t=0;t<this.children.length;++t)this.children[t].collapse(e)},insertInner:function(e,t,n){this.size+=t.length,this.height+=n;for(var r=0;r<this.children.length;++r){var o=this.children[r],i=o.chunkSize();if(e<=i){if(o.insertInner(e,t,n),o.lines&&o.lines.length>50){for(var a=o.lines.length%25+25,s=a;s<o.lines.length;){var l=new gi(o.lines.slice(s,s+=25));o.height-=l.height,this.children.splice(++r,0,l),l.parent=this}o.lines=o.lines.slice(0,a),this.maybeSpill()}break}e-=i}},maybeSpill:function(){if(!(this.children.length<=10)){var e=this;do{var t=e.children.splice(e.children.length-5,5),n=new _i(t);if(e.parent){e.size-=n.size,e.height-=n.height;var r=U(e.parent.children,e);e.parent.children.splice(r+1,0,n)}else{var o=new _i(e.children);o.parent=e,e.children=[o,n],e=o}n.parent=e.parent}while(e.children.length>10);e.parent.maybeSpill()}},iterN:function(e,t,n){for(var r=0;r<this.children.length;++r){var o=this.children[r],i=o.chunkSize();if(e<i){var a=Math.min(t,i-e);if(o.iterN(e,a,n))return!0;if(0==(t-=a))break;e=0}else e-=i}}};var vi=function(e,t,n){if(n)for(var r in n)n.hasOwnProperty(r)&&(this[r]=n[r]);this.doc=e,this.node=t};function yi(e,t,n){$t(t)<(e.curOp&&e.curOp.scrollTop||e.doc.scrollTop)&&Sr(e,n)}vi.prototype.clear=function(){var e=this.doc.cm,t=this.line.widgets,n=this.line,r=Ye(n);if(null!=r&&t){for(var o=0;o<t.length;++o)t[o]==this&&t.splice(o--,1);t.length||(n.widgets=null);var i=wn(this);Xe(n,Math.max(0,n.height-i)),e&&(Yr(e,function(){yi(e,n,-i),ur(e,r,"widget")}),ln(e,"lineWidgetCleared",e,this,r))}},vi.prototype.changed=function(){var e=this,t=this.height,n=this.doc.cm,r=this.line;this.height=null;var o=wn(this)-t;o&&(Wt(this.doc,r)||Xe(r,r.height+o),n&&Yr(n,function(){n.curOp.forceUpdate=!0,yi(n,r,o),ln(n,"lineWidgetChanged",n,e,Ye(r))}))},ve(vi);var wi=0,xi=function(e,t){this.lines=[],this.type=t,this.doc=e,this.id=++wi};function ki(e,t,n,r,o){if(r&&r.shared)return function(e,t,n,r,o){(r=j(r)).shared=!1;var i=[ki(e,t,n,r,o)],a=i[0],s=r.widgetNode;return Ao(e,function(e){s&&(r.widgetNode=s.cloneNode(!0)),i.push(ki(e,st(e,t),st(e,n),r,o));for(var l=0;l<e.linked.length;++l)if(e.linked[l].isParent)return;a=X(i)}),new Ci(i,a)}(e,t,n,r,o);if(e.cm&&!e.cm.curOp)return Jr(e.cm,ki)(e,t,n,r,o);var i=new xi(e,o),a=tt(t,n);if(r&&j(r,i,!1),a>0||0==a&&!1!==i.clearWhenEmpty)return i;if(i.replacedWith&&(i.collapsed=!0,i.widgetNode=M("span",[i.replacedWith],"CodeMirror-widget"),r.handleMouseEvents||i.widgetNode.setAttribute("cm-ignore-events","true"),r.insertLeft&&(i.widgetNode.insertLeft=!0)),i.collapsed){if(jt(e,t.line,t,n,i)||t.line!=n.line&&jt(e,n.line,t,n,i))throw new Error("Inserting collapsed marker partially overlapping an existing one");xt=!0}i.addToHistory&&No(e,{from:t,to:n,origin:"markText"},e.sel,NaN);var s,l=t.line,c=e.cm;if(e.iter(l,n.line+1,function(e){c&&i.collapsed&&!c.options.lineWrapping&&Nt(e)==c.display.maxLine&&(s=!0),i.collapsed&&l!=t.line&&Xe(e,0),function(e,t){e.markedSpans=e.markedSpans?e.markedSpans.concat([t]):[t],t.marker.attachLine(e)}(e,new kt(i,l==t.line?t.ch:null,l==n.line?n.ch:null)),++l}),i.collapsed&&e.iter(t.line,n.line+1,function(t){Wt(e,t)&&Xe(t,0)}),i.clearOnEnter&&de(i,"beforeCursorEnter",function(){return i.clear()}),i.readOnly&&(wt=!0,(e.history.done.length||e.history.undone.length)&&e.clearHistory()),i.collapsed&&(i.id=++wi,i.atomic=!0),c){if(s&&(c.curOp.updateMaxLine=!0),i.collapsed)cr(c,t.line,n.line+1);else if(i.className||i.startStyle||i.endStyle||i.css||i.attributes||i.title)for(var u=t.line;u<=n.line;u++)ur(c,u,"text");i.atomic&&ei(c.doc),ln(c,"markerAdded",c,i)}return i}xi.prototype.clear=function(){if(!this.explicitlyCleared){var e=this.doc.cm,t=e&&!e.curOp;if(t&&zr(e),_e(this,"clear")){var n=this.find();n&&ln(this,"clear",n.from,n.to)}for(var r=null,o=null,i=0;i<this.lines.length;++i){var a=this.lines[i],s=Ct(a.markedSpans,this);e&&!this.collapsed?ur(e,Ye(a),"text"):e&&(null!=s.to&&(o=Ye(a)),null!=s.from&&(r=Ye(a))),a.markedSpans=Et(a.markedSpans,s),null==s.from&&this.collapsed&&!Wt(this.doc,a)&&e&&Xe(a,tr(e.display))}if(e&&this.collapsed&&!e.options.lineWrapping)for(var l=0;l<this.lines.length;++l){var c=Nt(this.lines[l]),u=zt(c);u>e.display.maxLineLength&&(e.display.maxLine=c,e.display.maxLineLength=u,e.display.maxLineChanged=!0)}null!=r&&e&&this.collapsed&&cr(e,r,o+1),this.lines.length=0,this.explicitlyCleared=!0,this.atomic&&this.doc.cantEdit&&(this.doc.cantEdit=!1,e&&ei(e.doc)),e&&ln(e,"markerCleared",e,this,r,o),t&&qr(e),this.parent&&this.parent.clear()}},xi.prototype.find=function(e,t){var n,r;null==e&&"bookmark"==this.type&&(e=1);for(var o=0;o<this.lines.length;++o){var i=this.lines[o],a=Ct(i.markedSpans,this);if(null!=a.from&&(n=et(t?i:Ye(i),a.from),-1==e))return n;if(null!=a.to&&(r=et(t?i:Ye(i),a.to),1==e))return r}return n&&{from:n,to:r}},xi.prototype.changed=function(){var e=this,t=this.find(-1,!0),n=this,r=this.doc.cm;t&&r&&Yr(r,function(){var o=t.line,i=Ye(t.line),a=Dn(r,i);if(a&&(Nn(a),r.curOp.selectionChanged=r.curOp.forceUpdate=!0),r.curOp.updateMaxLine=!0,!Wt(n.doc,o)&&null!=n.height){var s=n.height;n.height=null;var l=wn(n)-s;l&&Xe(o,o.height+l)}ln(r,"markerChanged",r,e)})},xi.prototype.attachLine=function(e){if(!this.lines.length&&this.doc.cm){var t=this.doc.cm.curOp;t.maybeHiddenMarkers&&-1!=U(t.maybeHiddenMarkers,this)||(t.maybeUnhiddenMarkers||(t.maybeUnhiddenMarkers=[])).push(this)}this.lines.push(e)},xi.prototype.detachLine=function(e){if(this.lines.splice(U(this.lines,e),1),!this.lines.length&&this.doc.cm){var t=this.doc.cm.curOp;(t.maybeHiddenMarkers||(t.maybeHiddenMarkers=[])).push(this)}},ve(xi);var Ci=function(e,t){this.markers=e,this.primary=t;for(var n=0;n<e.length;++n)e[n].parent=this};function Ei(e){return e.findMarks(et(e.first,0),e.clipPos(et(e.lastLine())),function(e){return e.parent})}function Oi(e){for(var t=function(t){var n=e[t],r=[n.primary.doc];Ao(n.primary.doc,function(e){return r.push(e)});for(var o=0;o<n.markers.length;o++){var i=n.markers[o];-1==U(r,i.doc)&&(i.parent=null,n.markers.splice(o--,1))}},n=0;n<e.length;n++)t(n)}Ci.prototype.clear=function(){if(!this.explicitlyCleared){this.explicitlyCleared=!0;for(var e=0;e<this.markers.length;++e)this.markers[e].clear();ln(this,"clear")}},Ci.prototype.find=function(e,t){return this.primary.find(e,t)},ve(Ci);var Ti=0,Si=function(e,t,n,r,o){if(!(this instanceof Si))return new Si(e,t,n,r,o);null==n&&(n=0),_i.call(this,[new gi([new Kt("",null)])]),this.first=n,this.scrollTop=this.scrollLeft=0,this.cantEdit=!1,this.cleanGeneration=1,this.modeFrontier=this.highlightFrontier=n;var i=et(n,0);this.sel=ko(i),this.history=new Io(null),this.id=++Ti,this.modeOption=t,this.lineSep=r,this.direction="rtl"==o?"rtl":"ltr",this.extend=!1,"string"==typeof e&&(e=this.splitLines(e)),Do(this,{from:i,to:i,text:e}),Jo(this,ko(i),$)};Si.prototype=Q(_i.prototype,{constructor:Si,iter:function(e,t,n){n?this.iterN(e-this.first,t-e,n):this.iterN(this.first,this.first+this.size,e)},insert:function(e,t){for(var n=0,r=0;r<t.length;++r)n+=t[r].height;this.insertInner(e-this.first,t,n)},remove:function(e,t){this.removeInner(e-this.first,t)},getValue:function(e){var t=Ve(this,this.first,this.first+this.size);return!1===e?t:t.join(e||this.lineSeparator())},setValue:Zr(function(e){var t=et(this.first,0),n=this.first+this.size-1;si(this,{from:t,to:et(n,Ke(this,n).text.length),text:this.splitLines(e),origin:"setValue",full:!0},!0),this.cm&&Mr(this.cm,0,0),Jo(this,ko(t),$)}),replaceRange:function(e,t,n,r){t=st(this,t),n=n?st(this,n):t,di(this,e,t,n,r)},getRange:function(e,t,n){var r=Ge(this,st(this,e),st(this,t));return!1===n?r:r.join(n||this.lineSeparator())},getLine:function(e){var t=this.getLineHandle(e);return t&&t.text},getLineHandle:function(e){if(Qe(this,e))return Ke(this,e)},getLineNumber:function(e){return Ye(e)},getLineHandleVisualStart:function(e){return"number"==typeof e&&(e=Ke(this,e)),Nt(e)},lineCount:function(){return this.size},firstLine:function(){return this.first},lastLine:function(){return this.first+this.size-1},clipPos:function(e){return st(this,e)},getCursor:function(e){var t=this.sel.primary();return null==e||"head"==e?t.head:"anchor"==e?t.anchor:"end"==e||"to"==e||!1===e?t.to():t.from()},listSelections:function(){return this.sel.ranges},somethingSelected:function(){return this.sel.somethingSelected()},setCursor:Zr(function(e,t,n){Xo(this,st(this,"number"==typeof e?et(e,t||0):e),null,n)}),setSelection:Zr(function(e,t,n){Xo(this,st(this,e),st(this,t||e),n)}),extendSelection:Zr(function(e,t,n){Ko(this,st(this,e),t&&st(this,t),n)}),extendSelections:Zr(function(e,t){Go(this,lt(this,e),t)}),extendSelectionsBy:Zr(function(e,t){var n=Y(this.sel.ranges,e);Go(this,lt(this,n),t)}),setSelections:Zr(function(e,t,n){if(e.length){for(var r=[],o=0;o<e.length;o++)r[o]=new wo(st(this,e[o].anchor),st(this,e[o].head));null==t&&(t=Math.min(e.length-1,this.sel.primIndex)),Jo(this,xo(this.cm,r,t),n)}}),addSelection:Zr(function(e,t,n){var r=this.sel.ranges.slice(0);r.push(new wo(st(this,e),st(this,t||e))),Jo(this,xo(this.cm,r,r.length-1),n)}),getSelection:function(e){for(var t,n=this.sel.ranges,r=0;r<n.length;r++){var o=Ge(this,n[r].from(),n[r].to());t=t?t.concat(o):o}return!1===e?t:t.join(e||this.lineSeparator())},getSelections:function(e){for(var t=[],n=this.sel.ranges,r=0;r<n.length;r++){var o=Ge(this,n[r].from(),n[r].to());!1!==e&&(o=o.join(e||this.lineSeparator())),t[r]=o}return t},replaceSelection:function(e,t,n){for(var r=[],o=0;o<this.sel.ranges.length;o++)r[o]=e;this.replaceSelections(r,t,n||"+input")},replaceSelections:Zr(function(e,t,n){for(var r=[],o=this.sel,i=0;i<o.ranges.length;i++){var a=o.ranges[i];r[i]={from:a.from(),to:a.to(),text:this.splitLines(e[i]),origin:n}}for(var s=t&&"end"!=t&&function(e,t,n){for(var r=[],o=et(e.first,0),i=o,a=0;a<t.length;a++){var s=t[a],l=To(s.from,o,i),c=To(Co(s),o,i);if(o=s.to,i=c,"around"==n){var u=e.sel.ranges[a],p=tt(u.head,u.anchor)<0;r[a]=new wo(p?c:l,p?l:c)}else r[a]=new wo(l,l)}return new yo(r,e.sel.primIndex)}(this,r,t),l=r.length-1;l>=0;l--)si(this,r[l]);s?Yo(this,s):this.cm&&Pr(this.cm)}),undo:Zr(function(){ci(this,"undo")}),redo:Zr(function(){ci(this,"redo")}),undoSelection:Zr(function(){ci(this,"undo",!0)}),redoSelection:Zr(function(){ci(this,"redo",!0)}),setExtending:function(e){this.extend=e},getExtending:function(){return this.extend},historySize:function(){for(var e=this.history,t=0,n=0,r=0;r<e.done.length;r++)e.done[r].ranges||++t;for(var o=0;o<e.undone.length;o++)e.undone[o].ranges||++n;return{undo:t,redo:n}},clearHistory:function(){this.history=new Io(this.history.maxGeneration)},markClean:function(){this.cleanGeneration=this.changeGeneration(!0)},changeGeneration:function(e){return e&&(this.history.lastOp=this.history.lastSelOp=this.history.lastOrigin=null),this.history.generation},isClean:function(e){return this.history.generation==(e||this.cleanGeneration)},getHistory:function(){return{done:zo(this.history.done),undone:zo(this.history.undone)}},setHistory:function(e){var t=this.history=new Io(this.history.maxGeneration);t.done=zo(e.done.slice(0),null,!0),t.undone=zo(e.undone.slice(0),null,!0)},setGutterMarker:Zr(function(e,t,n){return bi(this,e,"gutter",function(e){var r=e.gutterMarkers||(e.gutterMarkers={});return r[t]=n,!n&&ne(r)&&(e.gutterMarkers=null),!0})}),clearGutter:Zr(function(e){var t=this;this.iter(function(n){n.gutterMarkers&&n.gutterMarkers[e]&&bi(t,n,"gutter",function(){return n.gutterMarkers[e]=null,ne(n.gutterMarkers)&&(n.gutterMarkers=null),!0})})}),lineInfo:function(e){var t;if("number"==typeof e){if(!Qe(this,e))return null;if(t=e,!(e=Ke(this,e)))return null}else if(null==(t=Ye(e)))return null;return{line:t,handle:e,text:e.text,gutterMarkers:e.gutterMarkers,textClass:e.textClass,bgClass:e.bgClass,wrapClass:e.wrapClass,widgets:e.widgets}},addLineClass:Zr(function(e,t,n){return bi(this,e,"gutter"==t?"gutter":"class",function(e){var r="text"==t?"textClass":"background"==t?"bgClass":"gutter"==t?"gutterClass":"wrapClass";if(e[r]){if(C(n).test(e[r]))return!1;e[r]+=" "+n}else e[r]=n;return!0})}),removeLineClass:Zr(function(e,t,n){return bi(this,e,"gutter"==t?"gutter":"class",function(e){var r="text"==t?"textClass":"background"==t?"bgClass":"gutter"==t?"gutterClass":"wrapClass",o=e[r];if(!o)return!1;if(null==n)e[r]=null;else{var i=o.match(C(n));if(!i)return!1;var a=i.index+i[0].length;e[r]=o.slice(0,i.index)+(i.index&&a!=o.length?" ":"")+o.slice(a)||null}return!0})}),addLineWidget:Zr(function(e,t,n){return function(e,t,n,r){var o=new vi(e,n,r),i=e.cm;return i&&o.noHScroll&&(i.display.alignWidgets=!0),bi(e,t,"widget",function(t){var n=t.widgets||(t.widgets=[]);if(null==o.insertAt?n.push(o):n.splice(Math.min(n.length-1,Math.max(0,o.insertAt)),0,o),o.line=t,i&&!Wt(e,t)){var r=$t(t)<e.scrollTop;Xe(t,t.height+wn(o)),r&&Sr(i,o.height),i.curOp.forceUpdate=!0}return!0}),i&&ln(i,"lineWidgetAdded",i,o,"number"==typeof t?t:Ye(t)),o}(this,e,t,n)}),removeLineWidget:function(e){e.clear()},markText:function(e,t,n){return ki(this,st(this,e),st(this,t),n,n&&n.type||"range")},setBookmark:function(e,t){var n={replacedWith:t&&(null==t.nodeType?t.widget:t),insertLeft:t&&t.insertLeft,clearWhenEmpty:!1,shared:t&&t.shared,handleMouseEvents:t&&t.handleMouseEvents};return ki(this,e=st(this,e),e,n,"bookmark")},findMarksAt:function(e){e=st(this,e);var t=[],n=Ke(this,e.line).markedSpans;if(n)for(var r=0;r<n.length;++r){var o=n[r];(null==o.from||o.from<=e.ch)&&(null==o.to||o.to>=e.ch)&&t.push(o.marker.parent||o.marker)}return t},findMarks:function(e,t,n){e=st(this,e),t=st(this,t);var r=[],o=e.line;return this.iter(e.line,t.line+1,function(i){var a=i.markedSpans;if(a)for(var s=0;s<a.length;s++){var l=a[s];null!=l.to&&o==e.line&&e.ch>=l.to||null==l.from&&o!=e.line||null!=l.from&&o==t.line&&l.from>=t.ch||n&&!n(l.marker)||r.push(l.marker.parent||l.marker)}++o}),r},getAllMarks:function(){var e=[];return this.iter(function(t){var n=t.markedSpans;if(n)for(var r=0;r<n.length;++r)null!=n[r].from&&e.push(n[r].marker)}),e},posFromIndex:function(e){var t,n=this.first,r=this.lineSeparator().length;return this.iter(function(o){var i=o.text.length+r;if(i>e)return t=e,!0;e-=i,++n}),st(this,et(n,t))},indexFromPos:function(e){var t=(e=st(this,e)).ch;if(e.line<this.first||e.ch<0)return 0;var n=this.lineSeparator().length;return this.iter(this.first,e.line,function(e){t+=e.text.length+n}),t},copy:function(e){var t=new Si(Ve(this,this.first,this.first+this.size),this.modeOption,this.first,this.lineSep,this.direction);return t.scrollTop=this.scrollTop,t.scrollLeft=this.scrollLeft,t.sel=this.sel,t.extend=!1,e&&(t.history.undoDepth=this.history.undoDepth,t.setHistory(this.getHistory())),t},linkedDoc:function(e){e||(e={});var t=this.first,n=this.first+this.size;null!=e.from&&e.from>t&&(t=e.from),null!=e.to&&e.to<n&&(n=e.to);var r=new Si(Ve(this,t,n),e.mode||this.modeOption,t,this.lineSep,this.direction);return e.sharedHist&&(r.history=this.history),(this.linked||(this.linked=[])).push({doc:r,sharedHist:e.sharedHist}),r.linked=[{doc:this,isParent:!0,sharedHist:e.sharedHist}],function(e,t){for(var n=0;n<t.length;n++){var r=t[n],o=r.find(),i=e.clipPos(o.from),a=e.clipPos(o.to);if(tt(i,a)){var s=ki(e,i,a,r.primary,r.primary.type);r.markers.push(s),s.parent=r}}}(r,Ei(this)),r},unlinkDoc:function(e){if(e instanceof Ca&&(e=e.doc),this.linked)for(var t=0;t<this.linked.length;++t){var n=this.linked[t];if(n.doc==e){this.linked.splice(t,1),e.unlinkDoc(this),Oi(Ei(this));break}}if(e.history==this.history){var r=[e.id];Ao(e,function(e){return r.push(e.id)},!0),e.history=new Io(null),e.history.done=zo(this.history.done,r),e.history.undone=zo(this.history.undone,r)}},iterLinkedDocs:function(e){Ao(this,e)},getMode:function(){return this.mode},getEditor:function(){return this.cm},splitLines:function(e){return this.lineSep?e.split(this.lineSep):Ae(e)},lineSeparator:function(){return this.lineSep||"\n"},setDirection:Zr(function(e){var t;"rtl"!=e&&(e="ltr"),e!=this.direction&&(this.direction=e,this.iter(function(e){return e.order=null}),this.cm&&Yr(t=this.cm,function(){Lo(t),cr(t)}))})}),Si.prototype.eachLine=Si.prototype.iter;var Pi=0;function Mi(e){var t=this;if(Di(t),!be(t,e)&&!xn(t.display,e)){ye(e),a&&(Pi=+new Date);var n=sr(t,e,!0),r=e.dataTransfer.files;if(n&&!t.isReadOnly())if(r&&r.length&&window.FileReader&&window.File)for(var o=r.length,i=Array(o),s=0,l=function(e,r){if(!t.options.allowDropFileTypes||-1!=U(t.options.allowDropFileTypes,e.type)){var a=new FileReader;a.onload=Jr(t,function(){var e=a.result;if(/[\x00-\x08\x0e-\x1f]{2}/.test(e)&&(e=""),i[r]=e,++s==o){var l={from:n=st(t.doc,n),to:n,text:t.doc.splitLines(i.join(t.doc.lineSeparator())),origin:"paste"};si(t.doc,l),Yo(t.doc,ko(n,Co(l)))}}),a.readAsText(e)}},c=0;c<o;++c)l(r[c],c);else{if(t.state.draggingText&&t.doc.sel.contains(n)>-1)return t.state.draggingText(e),void setTimeout(function(){return t.display.input.focus()},20);try{var u=e.dataTransfer.getData("Text");if(u){var p;if(t.state.draggingText&&!t.state.draggingText.copy&&(p=t.listSelections()),Qo(t.doc,ko(n,n)),p)for(var d=0;d<p.length;++d)di(t.doc,"",p[d].anchor,p[d].head,"drag");t.replaceSelection(u,"around","paste"),t.display.input.focus()}}catch(e){}}}}function Di(e){e.display.dragCursor&&(e.display.lineSpace.removeChild(e.display.dragCursor),e.display.dragCursor=null)}function Ai(e){if(document.getElementsByClassName){for(var t=document.getElementsByClassName("CodeMirror"),n=[],r=0;r<t.length;r++){var o=t[r].CodeMirror;o&&n.push(o)}n.length&&n[0].operation(function(){for(var t=0;t<n.length;t++)e(n[t])})}}var Ri=!1;function Li(){var e;Ri||(de(window,"resize",function(){null==e&&(e=setTimeout(function(){e=null,Ai(Ii)},100))}),de(window,"blur",function(){return Ai(kr)}),Ri=!0)}function Ii(e){var t=e.display;t.cachedCharWidth=t.cachedTextHeight=t.cachedPaddingH=null,t.scrollbarsClipped=!1,e.setSize()}for(var Fi={3:"Pause",8:"Backspace",9:"Tab",13:"Enter",16:"Shift",17:"Ctrl",18:"Alt",19:"Pause",20:"CapsLock",27:"Esc",32:"Space",33:"PageUp",34:"PageDown",35:"End",36:"Home",37:"Left",38:"Up",39:"Right",40:"Down",44:"PrintScrn",45:"Insert",46:"Delete",59:";",61:"=",91:"Mod",92:"Mod",93:"Mod",106:"*",107:"=",109:"-",110:".",111:"/",145:"ScrollLock",173:"-",186:";",187:"=",188:",",189:"-",190:".",191:"/",192:"`",219:"[",220:"\\",221:"]",222:"'",63232:"Up",63233:"Down",63234:"Left",63235:"Right",63272:"Delete",63273:"Home",63275:"End",63276:"PageUp",63277:"PageDown",63302:"Insert"},ji=0;ji<10;ji++)Fi[ji+48]=Fi[ji+96]=String(ji);for(var Ni=65;Ni<=90;Ni++)Fi[Ni]=String.fromCharCode(Ni);for(var Bi=1;Bi<=12;Bi++)Fi[Bi+111]=Fi[Bi+63235]="F"+Bi;var Ui={};function Wi(e){var t,n,r,o,i=e.split(/-(?!$)/);e=i[i.length-1];for(var a=0;a<i.length-1;a++){var s=i[a];if(/^(cmd|meta|m)$/i.test(s))o=!0;else if(/^a(lt)?$/i.test(s))t=!0;else if(/^(c|ctrl|control)$/i.test(s))n=!0;else{if(!/^s(hift)?$/i.test(s))throw new Error("Unrecognized modifier name: "+s);r=!0}}return t&&(e="Alt-"+e),n&&(e="Ctrl-"+e),o&&(e="Cmd-"+e),r&&(e="Shift-"+e),e}function Hi(e){var t={};for(var n in e)if(e.hasOwnProperty(n)){var r=e[n];if(/^(name|fallthrough|(de|at)tach)$/.test(n))continue;if("..."==r){delete e[n];continue}for(var o=Y(n.split(" "),Wi),i=0;i<o.length;i++){var a=void 0,s=void 0;i==o.length-1?(s=o.join(" "),a=r):(s=o.slice(0,i+1).join(" "),a="...");var l=t[s];if(l){if(l!=a)throw new Error("Inconsistent bindings for "+s)}else t[s]=a}delete e[n]}for(var c in t)e[c]=t[c];return e}function $i(e,t,n,r){var o=(t=Gi(t)).call?t.call(e,r):t[e];if(!1===o)return"nothing";if("..."===o)return"multi";if(null!=o&&n(o))return"handled";if(t.fallthrough){if("[object Array]"!=Object.prototype.toString.call(t.fallthrough))return $i(e,t.fallthrough,n,r);for(var i=0;i<t.fallthrough.length;i++){var a=$i(e,t.fallthrough[i],n,r);if(a)return a}}}function zi(e){var t="string"==typeof e?e:Fi[e.keyCode];return"Ctrl"==t||"Alt"==t||"Shift"==t||"Mod"==t}function qi(e,t,n){var r=e;return t.altKey&&"Alt"!=r&&(e="Alt-"+e),(x?t.metaKey:t.ctrlKey)&&"Ctrl"!=r&&(e="Ctrl-"+e),(x?t.ctrlKey:t.metaKey)&&"Cmd"!=r&&(e="Cmd-"+e),!n&&t.shiftKey&&"Shift"!=r&&(e="Shift-"+e),e}function Ki(e,t){if(p&&34==e.keyCode&&e.char)return!1;var n=Fi[e.keyCode];return null!=n&&!e.altGraphKey&&(3==e.keyCode&&e.code&&(n=e.code),qi(n,e,t))}function Gi(e){return"string"==typeof e?Ui[e]:e}function Vi(e,t){for(var n=e.doc.sel.ranges,r=[],o=0;o<n.length;o++){for(var i=t(n[o]);r.length&&tt(i.from,X(r).to)<=0;){var a=r.pop();if(tt(a.from,i.from)<0){i.from=a.from;break}}r.push(i)}Yr(e,function(){for(var t=r.length-1;t>=0;t--)di(e.doc,"",r[t].from,r[t].to,"+delete");Pr(e)})}function Xi(e,t,n){var r=ie(e.text,t+n,n);return r<0||r>e.text.length?null:r}function Yi(e,t,n){var r=Xi(e,t.ch,n);return null==r?null:new et(t.line,r,n<0?"after":"before")}function Ji(e,t,n,r,o){if(e){var i=ue(n,t.doc.direction);if(i){var a,s=o<0?X(i):i[0],l=o<0==(1==s.level),c=l?"after":"before";if(s.level>0||"rtl"==t.doc.direction){var u=An(t,n);a=o<0?n.text.length-1:0;var p=Rn(t,u,a).top;a=ae(function(e){return Rn(t,u,e).top==p},o<0==(1==s.level)?s.from:s.to-1,a),"before"==c&&(a=Xi(n,a,1))}else a=o<0?s.to:s.from;return new et(r,a,c)}}return new et(r,o<0?n.text.length:0,o<0?"before":"after")}Ui.basic={Left:"goCharLeft",Right:"goCharRight",Up:"goLineUp",Down:"goLineDown",End:"goLineEnd",Home:"goLineStartSmart",PageUp:"goPageUp",PageDown:"goPageDown",Delete:"delCharAfter",Backspace:"delCharBefore","Shift-Backspace":"delCharBefore",Tab:"defaultTab","Shift-Tab":"indentAuto",Enter:"newlineAndIndent",Insert:"toggleOverwrite",Esc:"singleSelection"},Ui.pcDefault={"Ctrl-A":"selectAll","Ctrl-D":"deleteLine","Ctrl-Z":"undo","Shift-Ctrl-Z":"redo","Ctrl-Y":"redo","Ctrl-Home":"goDocStart","Ctrl-End":"goDocEnd","Ctrl-Up":"goLineUp","Ctrl-Down":"goLineDown","Ctrl-Left":"goGroupLeft","Ctrl-Right":"goGroupRight","Alt-Left":"goLineStart","Alt-Right":"goLineEnd","Ctrl-Backspace":"delGroupBefore","Ctrl-Delete":"delGroupAfter","Ctrl-S":"save","Ctrl-F":"find","Ctrl-G":"findNext","Shift-Ctrl-G":"findPrev","Shift-Ctrl-F":"replace","Shift-Ctrl-R":"replaceAll","Ctrl-[":"indentLess","Ctrl-]":"indentMore","Ctrl-U":"undoSelection","Shift-Ctrl-U":"redoSelection","Alt-U":"redoSelection",fallthrough:"basic"},Ui.emacsy={"Ctrl-F":"goCharRight","Ctrl-B":"goCharLeft","Ctrl-P":"goLineUp","Ctrl-N":"goLineDown","Alt-F":"goWordRight","Alt-B":"goWordLeft","Ctrl-A":"goLineStart","Ctrl-E":"goLineEnd","Ctrl-V":"goPageDown","Shift-Ctrl-V":"goPageUp","Ctrl-D":"delCharAfter","Ctrl-H":"delCharBefore","Alt-D":"delWordAfter","Alt-Backspace":"delWordBefore","Ctrl-K":"killLine","Ctrl-T":"transposeChars","Ctrl-O":"openLine"},Ui.macDefault={"Cmd-A":"selectAll","Cmd-D":"deleteLine","Cmd-Z":"undo","Shift-Cmd-Z":"redo","Cmd-Y":"redo","Cmd-Home":"goDocStart","Cmd-Up":"goDocStart","Cmd-End":"goDocEnd","Cmd-Down":"goDocEnd","Alt-Left":"goGroupLeft","Alt-Right":"goGroupRight","Cmd-Left":"goLineLeft","Cmd-Right":"goLineRight","Alt-Backspace":"delGroupBefore","Ctrl-Alt-Backspace":"delGroupAfter","Alt-Delete":"delGroupAfter","Cmd-S":"save","Cmd-F":"find","Cmd-G":"findNext","Shift-Cmd-G":"findPrev","Cmd-Alt-F":"replace","Shift-Cmd-Alt-F":"replaceAll","Cmd-[":"indentLess","Cmd-]":"indentMore","Cmd-Backspace":"delWrappedLineLeft","Cmd-Delete":"delWrappedLineRight","Cmd-U":"undoSelection","Shift-Cmd-U":"redoSelection","Ctrl-Up":"goDocStart","Ctrl-Down":"goDocEnd",fallthrough:["basic","emacsy"]},Ui.default=_?Ui.macDefault:Ui.pcDefault;var Qi={selectAll:ii,singleSelection:function(e){return e.setSelection(e.getCursor("anchor"),e.getCursor("head"),$)},killLine:function(e){return Vi(e,function(t){if(t.empty()){var n=Ke(e.doc,t.head.line).text.length;return t.head.ch==n&&t.head.line<e.lastLine()?{from:t.head,to:et(t.head.line+1,0)}:{from:t.head,to:et(t.head.line,n)}}return{from:t.from(),to:t.to()}})},deleteLine:function(e){return Vi(e,function(t){return{from:et(t.from().line,0),to:st(e.doc,et(t.to().line+1,0))}})},delLineLeft:function(e){return Vi(e,function(e){return{from:et(e.from().line,0),to:e.from()}})},delWrappedLineLeft:function(e){return Vi(e,function(t){var n=e.charCoords(t.head,"div").top+5,r=e.coordsChar({left:0,top:n},"div");return{from:r,to:t.from()}})},delWrappedLineRight:function(e){return Vi(e,function(t){var n=e.charCoords(t.head,"div").top+5,r=e.coordsChar({left:e.display.lineDiv.offsetWidth+100,top:n},"div");return{from:t.from(),to:r}})},undo:function(e){return e.undo()},redo:function(e){return e.redo()},undoSelection:function(e){return e.undoSelection()},redoSelection:function(e){return e.redoSelection()},goDocStart:function(e){return e.extendSelection(et(e.firstLine(),0))},goDocEnd:function(e){return e.extendSelection(et(e.lastLine()))},goLineStart:function(e){return e.extendSelectionsBy(function(t){return Zi(e,t.head.line)},{origin:"+move",bias:1})},goLineStartSmart:function(e){return e.extendSelectionsBy(function(t){return ea(e,t.head)},{origin:"+move",bias:1})},goLineEnd:function(e){return e.extendSelectionsBy(function(t){return function(e,t){var n=Ke(e.doc,t),r=function(e){for(var t;t=It(e);)e=t.find(1,!0).line;return e}(n);return r!=n&&(t=Ye(r)),Ji(!0,e,n,t,-1)}(e,t.head.line)},{origin:"+move",bias:-1})},goLineRight:function(e){return e.extendSelectionsBy(function(t){var n=e.cursorCoords(t.head,"div").top+5;return e.coordsChar({left:e.display.lineDiv.offsetWidth+100,top:n},"div")},q)},goLineLeft:function(e){return e.extendSelectionsBy(function(t){var n=e.cursorCoords(t.head,"div").top+5;return e.coordsChar({left:0,top:n},"div")},q)},goLineLeftSmart:function(e){return e.extendSelectionsBy(function(t){var n=e.cursorCoords(t.head,"div").top+5,r=e.coordsChar({left:0,top:n},"div");return r.ch<e.getLine(r.line).search(/\S/)?ea(e,t.head):r},q)},goLineUp:function(e){return e.moveV(-1,"line")},goLineDown:function(e){return e.moveV(1,"line")},goPageUp:function(e){return e.moveV(-1,"page")},goPageDown:function(e){return e.moveV(1,"page")},goCharLeft:function(e){return e.moveH(-1,"char")},goCharRight:function(e){return e.moveH(1,"char")},goColumnLeft:function(e){return e.moveH(-1,"column")},goColumnRight:function(e){return e.moveH(1,"column")},goWordLeft:function(e){return e.moveH(-1,"word")},goGroupRight:function(e){return e.moveH(1,"group")},goGroupLeft:function(e){return e.moveH(-1,"group")},goWordRight:function(e){return e.moveH(1,"word")},delCharBefore:function(e){return e.deleteH(-1,"char")},delCharAfter:function(e){return e.deleteH(1,"char")},delWordBefore:function(e){return e.deleteH(-1,"word")},delWordAfter:function(e){return e.deleteH(1,"word")},delGroupBefore:function(e){return e.deleteH(-1,"group")},delGroupAfter:function(e){return e.deleteH(1,"group")},indentAuto:function(e){return e.indentSelection("smart")},indentMore:function(e){return e.indentSelection("add")},indentLess:function(e){return e.indentSelection("subtract")},insertTab:function(e){return e.replaceSelection("\t")},insertSoftTab:function(e){for(var t=[],n=e.listSelections(),r=e.options.tabSize,o=0;o<n.length;o++){var i=n[o].from(),a=N(e.getLine(i.line),i.ch,r);t.push(V(r-a%r))}e.replaceSelections(t)},defaultTab:function(e){e.somethingSelected()?e.indentSelection("add"):e.execCommand("insertTab")},transposeChars:function(e){return Yr(e,function(){for(var t=e.listSelections(),n=[],r=0;r<t.length;r++)if(t[r].empty()){var o=t[r].head,i=Ke(e.doc,o.line).text;if(i)if(o.ch==i.length&&(o=new et(o.line,o.ch-1)),o.ch>0)o=new et(o.line,o.ch+1),e.replaceRange(i.charAt(o.ch-1)+i.charAt(o.ch-2),et(o.line,o.ch-2),o,"+transpose");else if(o.line>e.doc.first){var a=Ke(e.doc,o.line-1).text;a&&(o=new et(o.line,1),e.replaceRange(i.charAt(0)+e.doc.lineSeparator()+a.charAt(a.length-1),et(o.line-1,a.length-1),o,"+transpose"))}n.push(new wo(o,o))}e.setSelections(n)})},newlineAndIndent:function(e){return Yr(e,function(){for(var t=e.listSelections(),n=t.length-1;n>=0;n--)e.replaceRange(e.doc.lineSeparator(),t[n].anchor,t[n].head,"+input");t=e.listSelections();for(var r=0;r<t.length;r++)e.indentLine(t[r].from().line,null,!0);Pr(e)})},openLine:function(e){return e.replaceSelection("\n","start")},toggleOverwrite:function(e){return e.toggleOverwrite()}};function Zi(e,t){var n=Ke(e.doc,t),r=Nt(n);return r!=n&&(t=Ye(r)),Ji(!0,e,r,t,1)}function ea(e,t){var n=Zi(e,t.line),r=Ke(e.doc,n.line),o=ue(r,e.doc.direction);if(!o||0==o[0].level){var i=Math.max(0,r.text.search(/\S/)),a=t.line==n.line&&t.ch<=i&&t.ch;return et(n.line,a?0:i,n.sticky)}return n}function ta(e,t,n){if("string"==typeof t&&!(t=Qi[t]))return!1;e.display.input.ensurePolled();var r=e.display.shift,o=!1;try{e.isReadOnly()&&(e.state.suppressEdits=!0),n&&(e.display.shift=!1),o=t(e)!=H}finally{e.display.shift=r,e.state.suppressEdits=!1}return o}var na=new B;function ra(e,t,n,r){var o=e.state.keySeq;if(o){if(zi(t))return"handled";if(/\'$/.test(t)?e.state.keySeq=null:na.set(50,function(){e.state.keySeq==o&&(e.state.keySeq=null,e.display.input.reset())}),oa(e,o+" "+t,n,r))return!0}return oa(e,t,n,r)}function oa(e,t,n,r){var o=function(e,t,n){for(var r=0;r<e.state.keyMaps.length;r++){var o=$i(t,e.state.keyMaps[r],n,e);if(o)return o}return e.options.extraKeys&&$i(t,e.options.extraKeys,n,e)||$i(t,e.options.keyMap,n,e)}(e,t,r);return"multi"==o&&(e.state.keySeq=t),"handled"==o&&ln(e,"keyHandled",e,t,n),"handled"!=o&&"multi"!=o||(ye(n),vr(e)),!!o}function ia(e,t){var n=Ki(t,!0);return!!n&&(t.shiftKey&&!e.state.keySeq?ra(e,"Shift-"+n,t,function(t){return ta(e,t,!0)})||ra(e,n,t,function(t){if("string"==typeof t?/^go[A-Z]/.test(t):t.motion)return ta(e,t)}):ra(e,n,t,function(t){return ta(e,t)}))}var aa=null;function sa(e){var t=this;if(t.curOp.focus=A(),!be(t,e)){a&&s<11&&27==e.keyCode&&(e.returnValue=!1);var n=e.keyCode;t.display.shift=16==n||e.shiftKey;var r=ia(t,e);p&&(aa=r?n:null,!r&&88==n&&!Le&&(_?e.metaKey:e.ctrlKey)&&t.replaceSelection("",null,"cut")),18!=n||/\bCodeMirror-crosshair\b/.test(t.display.lineDiv.className)||function(e){var t=e.display.lineDiv;function n(e){18!=e.keyCode&&e.altKey||(O(t,"CodeMirror-crosshair"),he(document,"keyup",n),he(document,"mouseover",n))}R(t,"CodeMirror-crosshair"),de(document,"keyup",n),de(document,"mouseover",n)}(t)}}function la(e){16==e.keyCode&&(this.doc.sel.shift=!1),be(this,e)}function ca(e){var t=this;if(!(xn(t.display,e)||be(t,e)||e.ctrlKey&&!e.altKey||_&&e.metaKey)){var n=e.keyCode,r=e.charCode;if(p&&n==aa)return aa=null,void ye(e);if(!p||e.which&&!(e.which<10)||!ia(t,e)){var o=String.fromCharCode(null==r?n:r);"\b"!=o&&(function(e,t,n){return ra(e,"'"+n+"'",t,function(t){return ta(e,t,!0)})}(t,e,o)||t.display.input.onKeyPress(e))}}}var ua,pa,da=function(e,t,n){this.time=e,this.pos=t,this.button=n};function fa(e){var t=this,n=t.display;if(!(be(t,e)||n.activeTouch&&n.input.supportsTouch()))if(n.input.ensurePolled(),n.shift=e.shiftKey,xn(n,e))l||(n.scroller.draggable=!1,setTimeout(function(){return n.scroller.draggable=!0},100));else if(!ba(t,e)){var r=sr(t,e),o=Ee(e),i=r?function(e,t){var n=+new Date;return pa&&pa.compare(n,e,t)?(ua=pa=null,"triple"):ua&&ua.compare(n,e,t)?(pa=new da(n,e,t),ua=null,"double"):(ua=new da(n,e,t),pa=null,"single")}(r,o):"single";window.focus(),1==o&&t.state.selectingText&&t.state.selectingText(e),r&&function(e,t,n,r,o){var i="Click";return"double"==r?i="Double"+i:"triple"==r&&(i="Triple"+i),ra(e,qi(i=(1==t?"Left":2==t?"Middle":"Right")+i,o),o,function(t){if("string"==typeof t&&(t=Qi[t]),!t)return!1;var r=!1;try{e.isReadOnly()&&(e.state.suppressEdits=!0),r=t(e,n)!=H}finally{e.state.suppressEdits=!1}return r})}(t,o,r,i,e)||(1==o?r?function(e,t,n,r){a?setTimeout(F(yr,e),0):e.curOp.focus=A();var o,i=function(e,t,n){var r=e.getOption("configureMouse"),o=r?r(e,t,n):{};if(null==o.unit){var i=v?n.shiftKey&&n.metaKey:n.altKey;o.unit=i?"rectangle":"single"==t?"char":"double"==t?"word":"line"}return(null==o.extend||e.doc.extend)&&(o.extend=e.doc.extend||n.shiftKey),null==o.addNew&&(o.addNew=_?n.metaKey:n.ctrlKey),null==o.moveOnDrag&&(o.moveOnDrag=!(_?n.altKey:n.ctrlKey)),o}(e,n,r),c=e.doc.sel;e.options.dragDrop&&Se&&!e.isReadOnly()&&"single"==n&&(o=c.contains(t))>-1&&(tt((o=c.ranges[o]).from(),t)<0||t.xRel>0)&&(tt(o.to(),t)>0||t.xRel<0)?function(e,t,n,r){var o=e.display,i=!1,c=Jr(e,function(t){l&&(o.scroller.draggable=!1),e.state.draggingText=!1,he(o.wrapper.ownerDocument,"mouseup",c),he(o.wrapper.ownerDocument,"mousemove",u),he(o.scroller,"dragstart",p),he(o.scroller,"drop",c),i||(ye(t),r.addNew||Ko(e.doc,n,null,null,r.extend),l||a&&9==s?setTimeout(function(){o.wrapper.ownerDocument.body.focus(),o.input.focus()},20):o.input.focus())}),u=function(e){i=i||Math.abs(t.clientX-e.clientX)+Math.abs(t.clientY-e.clientY)>=10},p=function(){return i=!0};l&&(o.scroller.draggable=!0),e.state.draggingText=c,c.copy=!r.moveOnDrag,o.scroller.dragDrop&&o.scroller.dragDrop(),de(o.wrapper.ownerDocument,"mouseup",c),de(o.wrapper.ownerDocument,"mousemove",u),de(o.scroller,"dragstart",p),de(o.scroller,"drop",c),wr(e),setTimeout(function(){return o.input.focus()},20)}(e,r,t,i):function(e,t,n,r){var o=e.display,i=e.doc;ye(t);var a,s,l=i.sel,c=l.ranges;if(r.addNew&&!r.extend?(s=i.sel.contains(n),a=s>-1?c[s]:new wo(n,n)):(a=i.sel.primary(),s=i.sel.primIndex),"rectangle"==r.unit)r.addNew||(a=new wo(n,n)),n=sr(e,t,!0,!0),s=-1;else{var u=ha(e,n,r.unit);a=r.extend?qo(a,u.anchor,u.head,r.extend):u}r.addNew?-1==s?(s=c.length,Jo(i,xo(e,c.concat([a]),s),{scroll:!1,origin:"*mouse"})):c.length>1&&c[s].empty()&&"char"==r.unit&&!r.extend?(Jo(i,xo(e,c.slice(0,s).concat(c.slice(s+1)),0),{scroll:!1,origin:"*mouse"}),l=i.sel):Vo(i,s,a,z):(s=0,Jo(i,new yo([a],0),z),l=i.sel);var p=n;function d(t){if(0!=tt(p,t))if(p=t,"rectangle"==r.unit){for(var o=[],c=e.options.tabSize,u=N(Ke(i,n.line).text,n.ch,c),d=N(Ke(i,t.line).text,t.ch,c),f=Math.min(u,d),h=Math.max(u,d),m=Math.min(n.line,t.line),b=Math.min(e.lastLine(),Math.max(n.line,t.line));m<=b;m++){var g=Ke(i,m).text,_=K(g,f,c);f==h?o.push(new wo(et(m,_),et(m,_))):g.length>_&&o.push(new wo(et(m,_),et(m,K(g,h,c))))}o.length||o.push(new wo(n,n)),Jo(i,xo(e,l.ranges.slice(0,s).concat(o),s),{origin:"*mouse",scroll:!1}),e.scrollIntoView(t)}else{var v,y=a,w=ha(e,t,r.unit),x=y.anchor;tt(w.anchor,x)>0?(v=w.head,x=it(y.from(),w.anchor)):(v=w.anchor,x=ot(y.to(),w.head));var k=l.ranges.slice(0);k[s]=function(e,t){var n=t.anchor,r=t.head,o=Ke(e.doc,n.line);if(0==tt(n,r)&&n.sticky==r.sticky)return t;var i=ue(o);if(!i)return t;var a=le(i,n.ch,n.sticky),s=i[a];if(s.from!=n.ch&&s.to!=n.ch)return t;var l,c=a+(s.from==n.ch==(1!=s.level)?0:1);if(0==c||c==i.length)return t;if(r.line!=n.line)l=(r.line-n.line)*("ltr"==e.doc.direction?1:-1)>0;else{var u=le(i,r.ch,r.sticky),p=u-a||(r.ch-n.ch)*(1==s.level?-1:1);l=u==c-1||u==c?p<0:p>0}var d=i[c+(l?-1:0)],f=l==(1==d.level),h=f?d.from:d.to,m=f?"after":"before";return n.ch==h&&n.sticky==m?t:new wo(new et(n.line,h,m),r)}(e,new wo(st(i,x),v)),Jo(i,xo(e,k,s),z)}}var f=o.wrapper.getBoundingClientRect(),h=0;function m(t){e.state.selectingText=!1,h=1/0,t&&(ye(t),o.input.focus()),he(o.wrapper.ownerDocument,"mousemove",b),he(o.wrapper.ownerDocument,"mouseup",g),i.history.lastSelOrigin=null}var b=Jr(e,function(t){0!==t.buttons&&Ee(t)?function t(n){var a=++h,s=sr(e,n,!0,"rectangle"==r.unit);if(s)if(0!=tt(s,p)){e.curOp.focus=A(),d(s);var l=Or(o,i);(s.line>=l.to||s.line<l.from)&&setTimeout(Jr(e,function(){h==a&&t(n)}),150)}else{var c=n.clientY<f.top?-20:n.clientY>f.bottom?20:0;c&&setTimeout(Jr(e,function(){h==a&&(o.scroller.scrollTop+=c,t(n))}),50)}}(t):m(t)}),g=Jr(e,m);e.state.selectingText=g,de(o.wrapper.ownerDocument,"mousemove",b),de(o.wrapper.ownerDocument,"mouseup",g)}(e,r,t,i)}(t,r,i,e):Ce(e)==n.scroller&&ye(e):2==o?(r&&Ko(t.doc,r),setTimeout(function(){return n.input.focus()},20)):3==o&&(k?t.display.input.onContextMenu(e):wr(t)))}}function ha(e,t,n){if("char"==n)return new wo(t,t);if("word"==n)return e.findWordAt(t);if("line"==n)return new wo(et(t.line,0),st(e.doc,et(t.line+1,0)));var r=n(e,t);return new wo(r.from,r.to)}function ma(e,t,n,r){var o,i;if(t.touches)o=t.touches[0].clientX,i=t.touches[0].clientY;else try{o=t.clientX,i=t.clientY}catch(t){return!1}if(o>=Math.floor(e.display.gutters.getBoundingClientRect().right))return!1;r&&ye(t);var a=e.display,s=a.lineDiv.getBoundingClientRect();if(i>s.bottom||!_e(e,n))return xe(t);i-=s.top-a.viewOffset;for(var l=0;l<e.display.gutterSpecs.length;++l){var c=a.gutters.childNodes[l];if(c&&c.getBoundingClientRect().right>=o){var u=Je(e.doc,i),p=e.display.gutterSpecs[l];return me(e,n,e,u,p.className,t),xe(t)}}}function ba(e,t){return ma(e,t,"gutterClick",!0)}function ga(e,t){xn(e.display,t)||function(e,t){return!!_e(e,"gutterContextMenu")&&ma(e,t,"gutterContextMenu",!1)}(e,t)||be(e,t,"contextmenu")||k||e.display.input.onContextMenu(t)}function _a(e){e.display.wrapper.className=e.display.wrapper.className.replace(/\s*cm-s-\S+/g,"")+e.options.theme.replace(/(^|\s)\s*/g," cm-s-"),Un(e)}da.prototype.compare=function(e,t,n){return this.time+400>e&&0==tt(t,this.pos)&&n==this.button};var va={toString:function(){return"CodeMirror.Init"}},ya={},wa={};function xa(e,t,n){var r=n&&n!=va;if(!t!=!r){var o=e.display.dragFunctions,i=t?de:he;i(e.display.scroller,"dragstart",o.start),i(e.display.scroller,"dragenter",o.enter),i(e.display.scroller,"dragover",o.over),i(e.display.scroller,"dragleave",o.leave),i(e.display.scroller,"drop",o.drop)}}function ka(e){e.options.lineWrapping?(R(e.display.wrapper,"CodeMirror-wrap"),e.display.sizer.style.minWidth="",e.display.sizerWidth=null):(O(e.display.wrapper,"CodeMirror-wrap"),qt(e)),ar(e),cr(e),Un(e),setTimeout(function(){return Br(e)},100)}function Ca(e,t){var n=this;if(!(this instanceof Ca))return new Ca(e,t);this.options=t=t?j(t):{},j(ya,t,!1);var r=t.value;"string"==typeof r?r=new Si(r,t.mode,null,t.lineSeparator,t.direction):t.mode&&(r.modeOption=t.mode),this.doc=r;var o=new Ca.inputStyles[t.inputStyle](this),i=this.display=new ho(e,r,o,t);for(var c in i.wrapper.CodeMirror=this,_a(this),t.lineWrapping&&(this.display.wrapper.className+=" CodeMirror-wrap"),Hr(this),this.state={keyMaps:[],overlays:[],modeGen:0,overwrite:!1,delayingBlurEvent:!1,focused:!1,suppressEdits:!1,pasteIncoming:-1,cutIncoming:-1,selectingText:!1,draggingText:!1,highlight:new B,keySeq:null,specialChars:null},t.autofocus&&!g&&i.input.focus(),a&&s<11&&setTimeout(function(){return n.display.input.reset(!0)},20),function(e){var t=e.display;de(t.scroller,"mousedown",Jr(e,fa)),de(t.scroller,"dblclick",a&&s<11?Jr(e,function(t){if(!be(e,t)){var n=sr(e,t);if(n&&!ba(e,t)&&!xn(e.display,t)){ye(t);var r=e.findWordAt(n);Ko(e.doc,r.anchor,r.head)}}}):function(t){return be(e,t)||ye(t)}),de(t.scroller,"contextmenu",function(t){return ga(e,t)});var n,r={end:0};function o(){t.activeTouch&&(n=setTimeout(function(){return t.activeTouch=null},1e3),(r=t.activeTouch).end=+new Date)}function i(e,t){if(null==t.left)return!0;var n=t.left-e.left,r=t.top-e.top;return n*n+r*r>400}de(t.scroller,"touchstart",function(o){if(!be(e,o)&&!function(e){if(1!=e.touches.length)return!1;var t=e.touches[0];return t.radiusX<=1&&t.radiusY<=1}(o)&&!ba(e,o)){t.input.ensurePolled(),clearTimeout(n);var i=+new Date;t.activeTouch={start:i,moved:!1,prev:i-r.end<=300?r:null},1==o.touches.length&&(t.activeTouch.left=o.touches[0].pageX,t.activeTouch.top=o.touches[0].pageY)}}),de(t.scroller,"touchmove",function(){t.activeTouch&&(t.activeTouch.moved=!0)}),de(t.scroller,"touchend",function(n){var r=t.activeTouch;if(r&&!xn(t,n)&&null!=r.left&&!r.moved&&new Date-r.start<300){var a,s=e.coordsChar(t.activeTouch,"page");a=!r.prev||i(r,r.prev)?new wo(s,s):!r.prev.prev||i(r,r.prev.prev)?e.findWordAt(s):new wo(et(s.line,0),st(e.doc,et(s.line+1,0))),e.setSelection(a.anchor,a.head),e.focus(),ye(n)}o()}),de(t.scroller,"touchcancel",o),de(t.scroller,"scroll",function(){t.scroller.clientHeight&&(Rr(e,t.scroller.scrollTop),Ir(e,t.scroller.scrollLeft,!0),me(e,"scroll",e))}),de(t.scroller,"mousewheel",function(t){return vo(e,t)}),de(t.scroller,"DOMMouseScroll",function(t){return vo(e,t)}),de(t.wrapper,"scroll",function(){return t.wrapper.scrollTop=t.wrapper.scrollLeft=0}),t.dragFunctions={enter:function(t){be(e,t)||ke(t)},over:function(t){be(e,t)||(function(e,t){var n=sr(e,t);if(n){var r=document.createDocumentFragment();br(e,n,r),e.display.dragCursor||(e.display.dragCursor=P("div",null,"CodeMirror-cursors CodeMirror-dragcursors"),e.display.lineSpace.insertBefore(e.display.dragCursor,e.display.cursorDiv)),S(e.display.dragCursor,r)}}(e,t),ke(t))},start:function(t){return function(e,t){if(a&&(!e.state.draggingText||+new Date-Pi<100))ke(t);else if(!be(e,t)&&!xn(e.display,t)&&(t.dataTransfer.setData("Text",e.getSelection()),t.dataTransfer.effectAllowed="copyMove",t.dataTransfer.setDragImage&&!d)){var n=P("img",null,null,"position: fixed; left: 0; top: 0;");n.src="data:image/gif;base64,R0lGODlhAQABAAAAACH5BAEKAAEALAAAAAABAAEAAAICTAEAOw==",p&&(n.width=n.height=1,e.display.wrapper.appendChild(n),n._top=n.offsetTop),t.dataTransfer.setDragImage(n,0,0),p&&n.parentNode.removeChild(n)}}(e,t)},drop:Jr(e,Mi),leave:function(t){be(e,t)||Di(e)}};var l=t.input.getField();de(l,"keyup",function(t){return la.call(e,t)}),de(l,"keydown",Jr(e,sa)),de(l,"keypress",Jr(e,ca)),de(l,"focus",function(t){return xr(e,t)}),de(l,"blur",function(t){return kr(e,t)})}(this),Li(),zr(this),this.curOp.forceUpdate=!0,Ro(this,r),t.autofocus&&!g||this.hasFocus()?setTimeout(F(xr,this),20):kr(this),wa)wa.hasOwnProperty(c)&&wa[c](n,t[c],va);co(this),t.finishInit&&t.finishInit(this);for(var u=0;u<Ea.length;++u)Ea[u](n);qr(this),l&&t.lineWrapping&&"optimizelegibility"==getComputedStyle(i.lineDiv).textRendering&&(i.lineDiv.style.textRendering="auto")}Ca.defaults=ya,Ca.optionHandlers=wa;var Ea=[];function Oa(e,t,n,r){var o,i=e.doc;null==n&&(n="add"),"smart"==n&&(i.mode.indent?o=ft(e,t).state:n="prev");var a=e.options.tabSize,s=Ke(i,t),l=N(s.text,null,a);s.stateAfter&&(s.stateAfter=null);var c,u=s.text.match(/^\s*/)[0];if(r||/\S/.test(s.text)){if("smart"==n&&((c=i.mode.indent(o,s.text.slice(u.length),s.text))==H||c>150)){if(!r)return;n="prev"}}else c=0,n="not";"prev"==n?c=t>i.first?N(Ke(i,t-1).text,null,a):0:"add"==n?c=l+e.options.indentUnit:"subtract"==n?c=l-e.options.indentUnit:"number"==typeof n&&(c=l+n),c=Math.max(0,c);var p="",d=0;if(e.options.indentWithTabs)for(var f=Math.floor(c/a);f;--f)d+=a,p+="\t";if(d<c&&(p+=V(c-d)),p!=u)return di(i,p,et(t,0),et(t,u.length),"+input"),s.stateAfter=null,!0;for(var h=0;h<i.sel.ranges.length;h++){var m=i.sel.ranges[h];if(m.head.line==t&&m.head.ch<u.length){var b=et(t,u.length);Vo(i,h,new wo(b,b));break}}}Ca.defineInitHook=function(e){return Ea.push(e)};var Ta=null;function Sa(e){Ta=e}function Pa(e,t,n,r,o){var i=e.doc;e.display.shift=!1,r||(r=i.sel);var a=+new Date-200,s="paste"==o||e.state.pasteIncoming>a,l=Ae(t),c=null;if(s&&r.ranges.length>1)if(Ta&&Ta.text.join("\n")==t){if(r.ranges.length%Ta.text.length==0){c=[];for(var u=0;u<Ta.text.length;u++)c.push(i.splitLines(Ta.text[u]))}}else l.length==r.ranges.length&&e.options.pasteLinesPerSelection&&(c=Y(l,function(e){return[e]}));for(var p=e.curOp.updateInput,d=r.ranges.length-1;d>=0;d--){var f=r.ranges[d],h=f.from(),m=f.to();f.empty()&&(n&&n>0?h=et(h.line,h.ch-n):e.state.overwrite&&!s?m=et(m.line,Math.min(Ke(i,m.line).text.length,m.ch+X(l).length)):s&&Ta&&Ta.lineWise&&Ta.text.join("\n")==t&&(h=m=et(h.line,0)));var b={from:h,to:m,text:c?c[d%c.length]:l,origin:o||(s?"paste":e.state.cutIncoming>a?"cut":"+input")};si(e.doc,b),ln(e,"inputRead",e,b)}t&&!s&&Da(e,t),Pr(e),e.curOp.updateInput<2&&(e.curOp.updateInput=p),e.curOp.typing=!0,e.state.pasteIncoming=e.state.cutIncoming=-1}function Ma(e,t){var n=e.clipboardData&&e.clipboardData.getData("Text");if(n)return e.preventDefault(),t.isReadOnly()||t.options.disableInput||Yr(t,function(){return Pa(t,n,0,null,"paste")}),!0}function Da(e,t){if(e.options.electricChars&&e.options.smartIndent)for(var n=e.doc.sel,r=n.ranges.length-1;r>=0;r--){var o=n.ranges[r];if(!(o.head.ch>100||r&&n.ranges[r-1].head.line==o.head.line)){var i=e.getModeAt(o.head),a=!1;if(i.electricChars){for(var s=0;s<i.electricChars.length;s++)if(t.indexOf(i.electricChars.charAt(s))>-1){a=Oa(e,o.head.line,"smart");break}}else i.electricInput&&i.electricInput.test(Ke(e.doc,o.head.line).text.slice(0,o.head.ch))&&(a=Oa(e,o.head.line,"smart"));a&&ln(e,"electricInput",e,o.head.line)}}}function Aa(e){for(var t=[],n=[],r=0;r<e.doc.sel.ranges.length;r++){var o=e.doc.sel.ranges[r].head.line,i={anchor:et(o,0),head:et(o+1,0)};n.push(i),t.push(e.getRange(i.anchor,i.head))}return{text:t,ranges:n}}function Ra(e,t,n,r){e.setAttribute("autocorrect",n?"":"off"),e.setAttribute("autocapitalize",r?"":"off"),e.setAttribute("spellcheck",!!t)}function La(){var e=P("textarea",null,null,"position: absolute; bottom: -1em; padding: 0; width: 1px; height: 1em; outline: none"),t=P("div",[e],null,"overflow: hidden; position: relative; width: 3px; height: 0px;");return l?e.style.width="1000px":e.setAttribute("wrap","off"),m&&(e.style.border="1px solid black"),Ra(e),t}function Ia(e,t,n,r,o){var i=t,a=n,s=Ke(e,t.line);function l(r){var i,a;if(null==(i=o?function(e,t,n,r){var o=ue(t,e.doc.direction);if(!o)return Yi(t,n,r);n.ch>=t.text.length?(n.ch=t.text.length,n.sticky="before"):n.ch<=0&&(n.ch=0,n.sticky="after");var i=le(o,n.ch,n.sticky),a=o[i];if("ltr"==e.doc.direction&&a.level%2==0&&(r>0?a.to>n.ch:a.from<n.ch))return Yi(t,n,r);var s,l=function(e,n){return Xi(t,e instanceof et?e.ch:e,n)},c=function(n){return e.options.lineWrapping?(s=s||An(e,t),Qn(e,t,s,n)):{begin:0,end:t.text.length}},u=c("before"==n.sticky?l(n,-1):n.ch);if("rtl"==e.doc.direction||1==a.level){var p=1==a.level==r<0,d=l(n,p?1:-1);if(null!=d&&(p?d<=a.to&&d<=u.end:d>=a.from&&d>=u.begin)){var f=p?"before":"after";return new et(n.line,d,f)}}var h=function(e,t,r){for(var i=function(e,t){return t?new et(n.line,l(e,1),"before"):new et(n.line,e,"after")};e>=0&&e<o.length;e+=t){var a=o[e],s=t>0==(1!=a.level),c=s?r.begin:l(r.end,-1);if(a.from<=c&&c<a.to)return i(c,s);if(c=s?a.from:l(a.to,-1),r.begin<=c&&c<r.end)return i(c,s)}},m=h(i+r,r,u);if(m)return m;var b=r>0?u.end:l(u.begin,-1);return null==b||r>0&&b==t.text.length||!(m=h(r>0?0:o.length-1,r,c(b)))?null:m}(e.cm,s,t,n):Yi(s,t,n))){if(r||((a=t.line+n)<e.first||a>=e.first+e.size||(t=new et(a,t.ch,t.sticky),!(s=Ke(e,a)))))return!1;t=Ji(o,e.cm,s,t.line,n)}else t=i;return!0}if("char"==r)l();else if("column"==r)l(!0);else if("word"==r||"group"==r)for(var c=null,u="group"==r,p=e.cm&&e.cm.getHelper(t,"wordChars"),d=!0;!(n<0)||l(!d);d=!1){var f=s.text.charAt(t.ch)||"\n",h=te(f,p)?"w":u&&"\n"==f?"n":!u||/\s/.test(f)?null:"p";if(!u||d||h||(h="s"),c&&c!=h){n<0&&(n=1,l(),t.sticky="after");break}if(h&&(c=h),n>0&&!l(!d))break}var m=ri(e,t,i,a,!0);return nt(i,m)&&(m.hitSide=!0),m}function Fa(e,t,n,r){var o,i,a=e.doc,s=t.left;if("page"==r){var l=Math.min(e.display.wrapper.clientHeight,window.innerHeight||document.documentElement.clientHeight),c=Math.max(l-.5*tr(e.display),3);o=(n>0?t.bottom:t.top)+n*c}else"line"==r&&(o=n>0?t.bottom+3:t.top-3);for(;(i=Yn(e,s,o)).outside;){if(n<0?o<=0:o>=a.height){i.hitSide=!0;break}o+=5*n}return i}var ja=function(e){this.cm=e,this.lastAnchorNode=this.lastAnchorOffset=this.lastFocusNode=this.lastFocusOffset=null,this.polling=new B,this.composing=null,this.gracePeriod=!1,this.readDOMTimeout=null};function Na(e,t){var n=Dn(e,t.line);if(!n||n.hidden)return null;var r=Ke(e.doc,t.line),o=Pn(n,r,t.line),i=ue(r,e.doc.direction),a="left";if(i){var s=le(i,t.ch);a=s%2?"right":"left"}var l=Fn(o.map,t.ch,a);return l.offset="right"==l.collapse?l.end:l.start,l}function Ba(e,t){return t&&(e.bad=!0),e}function Ua(e,t,n){var r;if(t==e.display.lineDiv){if(!(r=e.display.lineDiv.childNodes[n]))return Ba(e.clipPos(et(e.display.viewTo-1)),!0);t=null,n=0}else for(r=t;;r=r.parentNode){if(!r||r==e.display.lineDiv)return null;if(r.parentNode&&r.parentNode==e.display.lineDiv)break}for(var o=0;o<e.display.view.length;o++){var i=e.display.view[o];if(i.node==r)return Wa(i,t,n)}}function Wa(e,t,n){var r=e.text.firstChild,o=!1;if(!t||!D(r,t))return Ba(et(Ye(e.line),0),!0);if(t==r&&(o=!0,t=r.childNodes[n],n=0,!t)){var i=e.rest?X(e.rest):e.line;return Ba(et(Ye(i),i.text.length),o)}var a=3==t.nodeType?t:null,s=t;for(a||1!=t.childNodes.length||3!=t.firstChild.nodeType||(a=t.firstChild,n&&(n=a.nodeValue.length));s.parentNode!=r;)s=s.parentNode;var l=e.measure,c=l.maps;function u(t,n,r){for(var o=-1;o<(c?c.length:0);o++)for(var i=o<0?l.map:c[o],a=0;a<i.length;a+=3){var s=i[a+2];if(s==t||s==n){var u=Ye(o<0?e.line:e.rest[o]),p=i[a]+r;return(r<0||s!=t)&&(p=i[a+(r?1:0)]),et(u,p)}}}var p=u(a,s,n);if(p)return Ba(p,o);for(var d=s.nextSibling,f=a?a.nodeValue.length-n:0;d;d=d.nextSibling){if(p=u(d,d.firstChild,0))return Ba(et(p.line,p.ch-f),o);f+=d.textContent.length}for(var h=s.previousSibling,m=n;h;h=h.previousSibling){if(p=u(h,h.firstChild,-1))return Ba(et(p.line,p.ch+m),o);m+=h.textContent.length}}ja.prototype.init=function(e){var t=this,n=this,r=n.cm,o=n.div=e.lineDiv;function i(e){if(!be(r,e)){if(r.somethingSelected())Sa({lineWise:!1,text:r.getSelections()}),"cut"==e.type&&r.replaceSelection("",null,"cut");else{if(!r.options.lineWiseCopyCut)return;var t=Aa(r);Sa({lineWise:!0,text:t.text}),"cut"==e.type&&r.operation(function(){r.setSelections(t.ranges,0,$),r.replaceSelection("",null,"cut")})}if(e.clipboardData){e.clipboardData.clearData();var i=Ta.text.join("\n");if(e.clipboardData.setData("Text",i),e.clipboardData.getData("Text")==i)return void e.preventDefault()}var a=La(),s=a.firstChild;r.display.lineSpace.insertBefore(a,r.display.lineSpace.firstChild),s.value=Ta.text.join("\n");var l=document.activeElement;I(s),setTimeout(function(){r.display.lineSpace.removeChild(a),l.focus(),l==o&&n.showPrimarySelection()},50)}}Ra(o,r.options.spellcheck,r.options.autocorrect,r.options.autocapitalize),de(o,"paste",function(e){be(r,e)||Ma(e,r)||s<=11&&setTimeout(Jr(r,function(){return t.updateFromDOM()}),20)}),de(o,"compositionstart",function(e){t.composing={data:e.data,done:!1}}),de(o,"compositionupdate",function(e){t.composing||(t.composing={data:e.data,done:!1})}),de(o,"compositionend",function(e){t.composing&&(e.data!=t.composing.data&&t.readFromDOMSoon(),t.composing.done=!0)}),de(o,"touchstart",function(){return n.forceCompositionEnd()}),de(o,"input",function(){t.composing||t.readFromDOMSoon()}),de(o,"copy",i),de(o,"cut",i)},ja.prototype.prepareSelection=function(){var e=mr(this.cm,!1);return e.focus=this.cm.state.focused,e},ja.prototype.showSelection=function(e,t){e&&this.cm.display.view.length&&((e.focus||t)&&this.showPrimarySelection(),this.showMultipleSelections(e))},ja.prototype.getSelection=function(){return this.cm.display.wrapper.ownerDocument.getSelection()},ja.prototype.showPrimarySelection=function(){var e=this.getSelection(),t=this.cm,r=t.doc.sel.primary(),o=r.from(),i=r.to();if(t.display.viewTo==t.display.viewFrom||o.line>=t.display.viewTo||i.line<t.display.viewFrom)e.removeAllRanges();else{var a=Ua(t,e.anchorNode,e.anchorOffset),s=Ua(t,e.focusNode,e.focusOffset);if(!a||a.bad||!s||s.bad||0!=tt(it(a,s),o)||0!=tt(ot(a,s),i)){var l=t.display.view,c=o.line>=t.display.viewFrom&&Na(t,o)||{node:l[0].measure.map[2],offset:0},u=i.line<t.display.viewTo&&Na(t,i);if(!u){var p=l[l.length-1].measure,d=p.maps?p.maps[p.maps.length-1]:p.map;u={node:d[d.length-1],offset:d[d.length-2]-d[d.length-3]}}if(c&&u){var f,h=e.rangeCount&&e.getRangeAt(0);try{f=E(c.node,c.offset,u.offset,u.node)}catch(e){}f&&(!n&&t.state.focused?(e.collapse(c.node,c.offset),f.collapsed||(e.removeAllRanges(),e.addRange(f))):(e.removeAllRanges(),e.addRange(f)),h&&null==e.anchorNode?e.addRange(h):n&&this.startGracePeriod()),this.rememberSelection()}else e.removeAllRanges()}}},ja.prototype.startGracePeriod=function(){var e=this;clearTimeout(this.gracePeriod),this.gracePeriod=setTimeout(function(){e.gracePeriod=!1,e.selectionChanged()&&e.cm.operation(function(){return e.cm.curOp.selectionChanged=!0})},20)},ja.prototype.showMultipleSelections=function(e){S(this.cm.display.cursorDiv,e.cursors),S(this.cm.display.selectionDiv,e.selection)},ja.prototype.rememberSelection=function(){var e=this.getSelection();this.lastAnchorNode=e.anchorNode,this.lastAnchorOffset=e.anchorOffset,this.lastFocusNode=e.focusNode,this.lastFocusOffset=e.focusOffset},ja.prototype.selectionInEditor=function(){var e=this.getSelection();if(!e.rangeCount)return!1;var t=e.getRangeAt(0).commonAncestorContainer;return D(this.div,t)},ja.prototype.focus=function(){"nocursor"!=this.cm.options.readOnly&&(this.selectionInEditor()||this.showSelection(this.prepareSelection(),!0),this.div.focus())},ja.prototype.blur=function(){this.div.blur()},ja.prototype.getField=function(){return this.div},ja.prototype.supportsTouch=function(){return!0},ja.prototype.receivedFocus=function(){var e=this;this.selectionInEditor()?this.pollSelection():Yr(this.cm,function(){return e.cm.curOp.selectionChanged=!0}),this.polling.set(this.cm.options.pollInterval,function t(){e.cm.state.focused&&(e.pollSelection(),e.polling.set(e.cm.options.pollInterval,t))})},ja.prototype.selectionChanged=function(){var e=this.getSelection();return e.anchorNode!=this.lastAnchorNode||e.anchorOffset!=this.lastAnchorOffset||e.focusNode!=this.lastFocusNode||e.focusOffset!=this.lastFocusOffset},ja.prototype.pollSelection=function(){if(null==this.readDOMTimeout&&!this.gracePeriod&&this.selectionChanged()){var e=this.getSelection(),t=this.cm;if(b&&u&&this.cm.display.gutterSpecs.length&&function(e){for(var t=e;t;t=t.parentNode)if(/CodeMirror-gutter-wrapper/.test(t.className))return!0;return!1}(e.anchorNode))return this.cm.triggerOnKeyDown({type:"keydown",keyCode:8,preventDefault:Math.abs}),this.blur(),void this.focus();if(!this.composing){this.rememberSelection();var n=Ua(t,e.anchorNode,e.anchorOffset),r=Ua(t,e.focusNode,e.focusOffset);n&&r&&Yr(t,function(){Jo(t.doc,ko(n,r),$),(n.bad||r.bad)&&(t.curOp.selectionChanged=!0)})}}},ja.prototype.pollContent=function(){null!=this.readDOMTimeout&&(clearTimeout(this.readDOMTimeout),this.readDOMTimeout=null);var e,t,n,r=this.cm,o=r.display,i=r.doc.sel.primary(),a=i.from(),s=i.to();if(0==a.ch&&a.line>r.firstLine()&&(a=et(a.line-1,Ke(r.doc,a.line-1).length)),s.ch==Ke(r.doc,s.line).text.length&&s.line<r.lastLine()&&(s=et(s.line+1,0)),a.line<o.viewFrom||s.line>o.viewTo-1)return!1;a.line==o.viewFrom||0==(e=lr(r,a.line))?(t=Ye(o.view[0].line),n=o.view[0].node):(t=Ye(o.view[e].line),n=o.view[e-1].node.nextSibling);var l,c,u=lr(r,s.line);if(u==o.view.length-1?(l=o.viewTo-1,c=o.lineDiv.lastChild):(l=Ye(o.view[u+1].line)-1,c=o.view[u+1].node.previousSibling),!n)return!1;for(var p=r.doc.splitLines(function(e,t,n,r,o){var i="",a=!1,s=e.doc.lineSeparator(),l=!1;function c(){a&&(i+=s,l&&(i+=s),a=l=!1)}function u(e){e&&(c(),i+=e)}function p(t){if(1==t.nodeType){var n=t.getAttribute("cm-text");if(n)return void u(n);var i,d=t.getAttribute("cm-marker");if(d){var f=e.findMarks(et(r,0),et(o+1,0),(b=+d,function(e){return e.id==b}));return void(f.length&&(i=f[0].find(0))&&u(Ge(e.doc,i.from,i.to).join(s)))}if("false"==t.getAttribute("contenteditable"))return;var h=/^(pre|div|p|li|table|br)$/i.test(t.nodeName);if(!/^br$/i.test(t.nodeName)&&0==t.textContent.length)return;h&&c();for(var m=0;m<t.childNodes.length;m++)p(t.childNodes[m]);/^(pre|p)$/i.test(t.nodeName)&&(l=!0),h&&(a=!0)}else 3==t.nodeType&&u(t.nodeValue.replace(/\u200b/g,"").replace(/\u00a0/g," "));var b}for(;p(t),t!=n;)t=t.nextSibling,l=!1;return i}(r,n,c,t,l)),d=Ge(r.doc,et(t,0),et(l,Ke(r.doc,l).text.length));p.length>1&&d.length>1;)if(X(p)==X(d))p.pop(),d.pop(),l--;else{if(p[0]!=d[0])break;p.shift(),d.shift(),t++}for(var f=0,h=0,m=p[0],b=d[0],g=Math.min(m.length,b.length);f<g&&m.charCodeAt(f)==b.charCodeAt(f);)++f;for(var _=X(p),v=X(d),y=Math.min(_.length-(1==p.length?f:0),v.length-(1==d.length?f:0));h<y&&_.charCodeAt(_.length-h-1)==v.charCodeAt(v.length-h-1);)++h;if(1==p.length&&1==d.length&&t==a.line)for(;f&&f>a.ch&&_.charCodeAt(_.length-h-1)==v.charCodeAt(v.length-h-1);)f--,h++;p[p.length-1]=_.slice(0,_.length-h).replace(/^\u200b+/,""),p[0]=p[0].slice(f).replace(/\u200b+$/,"");var w=et(t,f),x=et(l,d.length?X(d).length-h:0);return p.length>1||p[0]||tt(w,x)?(di(r.doc,p,w,x,"+input"),!0):void 0},ja.prototype.ensurePolled=function(){this.forceCompositionEnd()},ja.prototype.reset=function(){this.forceCompositionEnd()},ja.prototype.forceCompositionEnd=function(){this.composing&&(clearTimeout(this.readDOMTimeout),this.composing=null,this.updateFromDOM(),this.div.blur(),this.div.focus())},ja.prototype.readFromDOMSoon=function(){var e=this;null==this.readDOMTimeout&&(this.readDOMTimeout=setTimeout(function(){if(e.readDOMTimeout=null,e.composing){if(!e.composing.done)return;e.composing=null}e.updateFromDOM()},80))},ja.prototype.updateFromDOM=function(){var e=this;!this.cm.isReadOnly()&&this.pollContent()||Yr(this.cm,function(){return cr(e.cm)})},ja.prototype.setUneditable=function(e){e.contentEditable="false"},ja.prototype.onKeyPress=function(e){0==e.charCode||this.composing||(e.preventDefault(),this.cm.isReadOnly()||Jr(this.cm,Pa)(this.cm,String.fromCharCode(null==e.charCode?e.keyCode:e.charCode),0))},ja.prototype.readOnlyChanged=function(e){this.div.contentEditable=String("nocursor"!=e)},ja.prototype.onContextMenu=function(){},ja.prototype.resetPosition=function(){},ja.prototype.needsContentAttribute=!0;var Ha=function(e){this.cm=e,this.prevInput="",this.pollingFast=!1,this.polling=new B,this.hasSelection=!1,this.composing=null};Ha.prototype.init=function(e){var t=this,n=this,r=this.cm;this.createField(e);var o=this.textarea;function i(e){if(!be(r,e)){if(r.somethingSelected())Sa({lineWise:!1,text:r.getSelections()});else{if(!r.options.lineWiseCopyCut)return;var t=Aa(r);Sa({lineWise:!0,text:t.text}),"cut"==e.type?r.setSelections(t.ranges,null,$):(n.prevInput="",o.value=t.text.join("\n"),I(o))}"cut"==e.type&&(r.state.cutIncoming=+new Date)}}e.wrapper.insertBefore(this.wrapper,e.wrapper.firstChild),m&&(o.style.width="0px"),de(o,"input",function(){a&&s>=9&&t.hasSelection&&(t.hasSelection=null),n.poll()}),de(o,"paste",function(e){be(r,e)||Ma(e,r)||(r.state.pasteIncoming=+new Date,n.fastPoll())}),de(o,"cut",i),de(o,"copy",i),de(e.scroller,"paste",function(t){if(!xn(e,t)&&!be(r,t)){if(!o.dispatchEvent)return r.state.pasteIncoming=+new Date,void n.focus();var i=new Event("paste");i.clipboardData=t.clipboardData,o.dispatchEvent(i)}}),de(e.lineSpace,"selectstart",function(t){xn(e,t)||ye(t)}),de(o,"compositionstart",function(){var e=r.getCursor("from");n.composing&&n.composing.range.clear(),n.composing={start:e,range:r.markText(e,r.getCursor("to"),{className:"CodeMirror-composing"})}}),de(o,"compositionend",function(){n.composing&&(n.poll(),n.composing.range.clear(),n.composing=null)})},Ha.prototype.createField=function(e){this.wrapper=La(),this.textarea=this.wrapper.firstChild},Ha.prototype.prepareSelection=function(){var e=this.cm,t=e.display,n=e.doc,r=mr(e);if(e.options.moveInputWithCursor){var o=Gn(e,n.sel.primary().head,"div"),i=t.wrapper.getBoundingClientRect(),a=t.lineDiv.getBoundingClientRect();r.teTop=Math.max(0,Math.min(t.wrapper.clientHeight-10,o.top+a.top-i.top)),r.teLeft=Math.max(0,Math.min(t.wrapper.clientWidth-10,o.left+a.left-i.left))}return r},Ha.prototype.showSelection=function(e){var t=this.cm,n=t.display;S(n.cursorDiv,e.cursors),S(n.selectionDiv,e.selection),null!=e.teTop&&(this.wrapper.style.top=e.teTop+"px",this.wrapper.style.left=e.teLeft+"px")},Ha.prototype.reset=function(e){if(!this.contextMenuPending&&!this.composing){var t=this.cm;if(t.somethingSelected()){this.prevInput="";var n=t.getSelection();this.textarea.value=n,t.state.focused&&I(this.textarea),a&&s>=9&&(this.hasSelection=n)}else e||(this.prevInput=this.textarea.value="",a&&s>=9&&(this.hasSelection=null))}},Ha.prototype.getField=function(){return this.textarea},Ha.prototype.supportsTouch=function(){return!1},Ha.prototype.focus=function(){if("nocursor"!=this.cm.options.readOnly&&(!g||A()!=this.textarea))try{this.textarea.focus()}catch(e){}},Ha.prototype.blur=function(){this.textarea.blur()},Ha.prototype.resetPosition=function(){this.wrapper.style.top=this.wrapper.style.left=0},Ha.prototype.receivedFocus=function(){this.slowPoll()},Ha.prototype.slowPoll=function(){var e=this;this.pollingFast||this.polling.set(this.cm.options.pollInterval,function(){e.poll(),e.cm.state.focused&&e.slowPoll()})},Ha.prototype.fastPoll=function(){var e=!1,t=this;t.pollingFast=!0,t.polling.set(20,function n(){var r=t.poll();r||e?(t.pollingFast=!1,t.slowPoll()):(e=!0,t.polling.set(60,n))})},Ha.prototype.poll=function(){var e=this,t=this.cm,n=this.textarea,r=this.prevInput;if(this.contextMenuPending||!t.state.focused||Re(n)&&!r&&!this.composing||t.isReadOnly()||t.options.disableInput||t.state.keySeq)return!1;var o=n.value;if(o==r&&!t.somethingSelected())return!1;if(a&&s>=9&&this.hasSelection===o||_&&/[\uf700-\uf7ff]/.test(o))return t.display.input.reset(),!1;if(t.doc.sel==t.display.selForContextMenu){var i=o.charCodeAt(0);if(8203!=i||r||(r="​"),8666==i)return this.reset(),this.cm.execCommand("undo")}for(var l=0,c=Math.min(r.length,o.length);l<c&&r.charCodeAt(l)==o.charCodeAt(l);)++l;return Yr(t,function(){Pa(t,o.slice(l),r.length-l,null,e.composing?"*compose":null),o.length>1e3||o.indexOf("\n")>-1?n.value=e.prevInput="":e.prevInput=o,e.composing&&(e.composing.range.clear(),e.composing.range=t.markText(e.composing.start,t.getCursor("to"),{className:"CodeMirror-composing"}))}),!0},Ha.prototype.ensurePolled=function(){this.pollingFast&&this.poll()&&(this.pollingFast=!1)},Ha.prototype.onKeyPress=function(){a&&s>=9&&(this.hasSelection=null),this.fastPoll()},Ha.prototype.onContextMenu=function(e){var t=this,n=t.cm,r=n.display,o=t.textarea;t.contextMenuPending&&t.contextMenuPending();var i=sr(n,e),c=r.scroller.scrollTop;if(i&&!p){var u=n.options.resetSelectionOnContextMenu;u&&-1==n.doc.sel.contains(i)&&Jr(n,Jo)(n.doc,ko(i),$);var d,f=o.style.cssText,h=t.wrapper.style.cssText,m=t.wrapper.offsetParent.getBoundingClientRect();if(t.wrapper.style.cssText="position: static",o.style.cssText="position: absolute; width: 30px; height: 30px;\n top: "+(e.clientY-m.top-5)+"px; left: "+(e.clientX-m.left-5)+"px;\n z-index: 1000; background: "+(a?"rgba(255, 255, 255, .05)":"transparent")+";\n outline: none; border-width: 0; outline: none; overflow: hidden; opacity: .05; filter: alpha(opacity=5);",l&&(d=window.scrollY),r.input.focus(),l&&window.scrollTo(null,d),r.input.reset(),n.somethingSelected()||(o.value=t.prevInput=" "),t.contextMenuPending=_,r.selForContextMenu=n.doc.sel,clearTimeout(r.detectingSelectAll),a&&s>=9&&g(),k){ke(e);var b=function(){he(window,"mouseup",b),setTimeout(_,20)};de(window,"mouseup",b)}else setTimeout(_,50)}function g(){if(null!=o.selectionStart){var e=n.somethingSelected(),i="​"+(e?o.value:"");o.value="⇚",o.value=i,t.prevInput=e?"":"​",o.selectionStart=1,o.selectionEnd=i.length,r.selForContextMenu=n.doc.sel}}function _(){if(t.contextMenuPending==_&&(t.contextMenuPending=!1,t.wrapper.style.cssText=h,o.style.cssText=f,a&&s<9&&r.scrollbars.setScrollTop(r.scroller.scrollTop=c),null!=o.selectionStart)){(!a||a&&s<9)&&g();var e=0,i=function(){r.selForContextMenu==n.doc.sel&&0==o.selectionStart&&o.selectionEnd>0&&"​"==t.prevInput?Jr(n,ii)(n):e++<10?r.detectingSelectAll=setTimeout(i,500):(r.selForContextMenu=null,r.input.reset())};r.detectingSelectAll=setTimeout(i,200)}}},Ha.prototype.readOnlyChanged=function(e){e||this.reset(),this.textarea.disabled="nocursor"==e},Ha.prototype.setUneditable=function(){},Ha.prototype.needsContentAttribute=!1,function(e){var t=e.optionHandlers;function n(n,r,o,i){e.defaults[n]=r,o&&(t[n]=i?function(e,t,n){n!=va&&o(e,t,n)}:o)}e.defineOption=n,e.Init=va,n("value","",function(e,t){return e.setValue(t)},!0),n("mode",null,function(e,t){e.doc.modeOption=t,So(e)},!0),n("indentUnit",2,So,!0),n("indentWithTabs",!1),n("smartIndent",!0),n("tabSize",4,function(e){Po(e),Un(e),cr(e)},!0),n("lineSeparator",null,function(e,t){if(e.doc.lineSep=t,t){var n=[],r=e.doc.first;e.doc.iter(function(e){for(var o=0;;){var i=e.text.indexOf(t,o);if(-1==i)break;o=i+t.length,n.push(et(r,i))}r++});for(var o=n.length-1;o>=0;o--)di(e.doc,t,n[o],et(n[o].line,n[o].ch+t.length))}}),n("specialChars",/[\u0000-\u001f\u007f-\u009f\u00ad\u061c\u200b-\u200f\u2028\u2029\ufeff]/g,function(e,t,n){e.state.specialChars=new RegExp(t.source+(t.test("\t")?"":"|\t"),"g"),n!=va&&e.refresh()}),n("specialCharPlaceholder",Qt,function(e){return e.refresh()},!0),n("electricChars",!0),n("inputStyle",g?"contenteditable":"textarea",function(){throw new Error("inputStyle can not (yet) be changed in a running editor")},!0),n("spellcheck",!1,function(e,t){return e.getInputField().spellcheck=t},!0),n("autocorrect",!1,function(e,t){return e.getInputField().autocorrect=t},!0),n("autocapitalize",!1,function(e,t){return e.getInputField().autocapitalize=t},!0),n("rtlMoveVisually",!y),n("wholeLineUpdateBefore",!0),n("theme","default",function(e){_a(e),fo(e)},!0),n("keyMap","default",function(e,t,n){var r=Gi(t),o=n!=va&&Gi(n);o&&o.detach&&o.detach(e,r),r.attach&&r.attach(e,o||null)}),n("extraKeys",null),n("configureMouse",null),n("lineWrapping",!1,ka,!0),n("gutters",[],function(e,t){e.display.gutterSpecs=uo(t,e.options.lineNumbers),fo(e)},!0),n("fixedGutter",!0,function(e,t){e.display.gutters.style.left=t?or(e.display)+"px":"0",e.refresh()},!0),n("coverGutterNextToScrollbar",!1,function(e){return Br(e)},!0),n("scrollbarStyle","native",function(e){Hr(e),Br(e),e.display.scrollbars.setScrollTop(e.doc.scrollTop),e.display.scrollbars.setScrollLeft(e.doc.scrollLeft)},!0),n("lineNumbers",!1,function(e,t){e.display.gutterSpecs=uo(e.options.gutters,t),fo(e)},!0),n("firstLineNumber",1,fo,!0),n("lineNumberFormatter",function(e){return e},fo,!0),n("showCursorWhenSelecting",!1,hr,!0),n("resetSelectionOnContextMenu",!0),n("lineWiseCopyCut",!0),n("pasteLinesPerSelection",!0),n("selectionsMayTouch",!1),n("readOnly",!1,function(e,t){"nocursor"==t&&(kr(e),e.display.input.blur()),e.display.input.readOnlyChanged(t)}),n("disableInput",!1,function(e,t){t||e.display.input.reset()},!0),n("dragDrop",!0,xa),n("allowDropFileTypes",null),n("cursorBlinkRate",530),n("cursorScrollMargin",0),n("cursorHeight",1,hr,!0),n("singleCursorHeightPerLine",!0,hr,!0),n("workTime",100),n("workDelay",100),n("flattenSpans",!0,Po,!0),n("addModeClass",!1,Po,!0),n("pollInterval",100),n("undoDepth",200,function(e,t){return e.doc.history.undoDepth=t}),n("historyEventDelay",1250),n("viewportMargin",10,function(e){return e.refresh()},!0),n("maxHighlightLength",1e4,Po,!0),n("moveInputWithCursor",!0,function(e,t){t||e.display.input.resetPosition()}),n("tabindex",null,function(e,t){return e.display.input.getField().tabIndex=t||""}),n("autofocus",null),n("direction","ltr",function(e,t){return e.doc.setDirection(t)},!0),n("phrases",null)}(Ca),function(e){var t=e.optionHandlers,n=e.helpers={};e.prototype={constructor:e,focus:function(){window.focus(),this.display.input.focus()},setOption:function(e,n){var r=this.options,o=r[e];r[e]==n&&"mode"!=e||(r[e]=n,t.hasOwnProperty(e)&&Jr(this,t[e])(this,n,o),me(this,"optionChange",this,e))},getOption:function(e){return this.options[e]},getDoc:function(){return this.doc},addKeyMap:function(e,t){this.state.keyMaps[t?"push":"unshift"](Gi(e))},removeKeyMap:function(e){for(var t=this.state.keyMaps,n=0;n<t.length;++n)if(t[n]==e||t[n].name==e)return t.splice(n,1),!0},addOverlay:Qr(function(t,n){var r=t.token?t:e.getMode(this.options,t);if(r.startState)throw new Error("Overlays may not be stateful.");!function(e,t,n){for(var r=0,o=n(t);r<e.length&&n(e[r])<=o;)r++;e.splice(r,0,t)}(this.state.overlays,{mode:r,modeSpec:t,opaque:n&&n.opaque,priority:n&&n.priority||0},function(e){return e.priority}),this.state.modeGen++,cr(this)}),removeOverlay:Qr(function(e){for(var t=this.state.overlays,n=0;n<t.length;++n){var r=t[n].modeSpec;if(r==e||"string"==typeof e&&r.name==e)return t.splice(n,1),this.state.modeGen++,void cr(this)}}),indentLine:Qr(function(e,t,n){"string"!=typeof t&&"number"!=typeof t&&(t=null==t?this.options.smartIndent?"smart":"prev":t?"add":"subtract"),Qe(this.doc,e)&&Oa(this,e,t,n)}),indentSelection:Qr(function(e){for(var t=this.doc.sel.ranges,n=-1,r=0;r<t.length;r++){var o=t[r];if(o.empty())o.head.line>n&&(Oa(this,o.head.line,e,!0),n=o.head.line,r==this.doc.sel.primIndex&&Pr(this));else{var i=o.from(),a=o.to(),s=Math.max(n,i.line);n=Math.min(this.lastLine(),a.line-(a.ch?0:1))+1;for(var l=s;l<n;++l)Oa(this,l,e);var c=this.doc.sel.ranges;0==i.ch&&t.length==c.length&&c[r].from().ch>0&&Vo(this.doc,r,new wo(i,c[r].to()),$)}}}),getTokenAt:function(e,t){return _t(this,e,t)},getLineTokens:function(e,t){return _t(this,et(e),t,!0)},getTokenTypeAt:function(e){e=st(this.doc,e);var t,n=dt(this,Ke(this.doc,e.line)),r=0,o=(n.length-1)/2,i=e.ch;if(0==i)t=n[2];else for(;;){var a=r+o>>1;if((a?n[2*a-1]:0)>=i)o=a;else{if(!(n[2*a+1]<i)){t=n[2*a+2];break}r=a+1}}var s=t?t.indexOf("overlay "):-1;return s<0?t:0==s?null:t.slice(0,s-1)},getModeAt:function(t){var n=this.doc.mode;return n.innerMode?e.innerMode(n,this.getTokenAt(t).state).mode:n},getHelper:function(e,t){return this.getHelpers(e,t)[0]},getHelpers:function(e,t){var r=[];if(!n.hasOwnProperty(t))return r;var o=n[t],i=this.getModeAt(e);if("string"==typeof i[t])o[i[t]]&&r.push(o[i[t]]);else if(i[t])for(var a=0;a<i[t].length;a++){var s=o[i[t][a]];s&&r.push(s)}else i.helperType&&o[i.helperType]?r.push(o[i.helperType]):o[i.name]&&r.push(o[i.name]);for(var l=0;l<o._global.length;l++){var c=o._global[l];c.pred(i,this)&&-1==U(r,c.val)&&r.push(c.val)}return r},getStateAfter:function(e,t){var n=this.doc;return ft(this,(e=at(n,null==e?n.first+n.size-1:e))+1,t).state},cursorCoords:function(e,t){var n=this.doc.sel.primary();return Gn(this,null==e?n.head:"object"==typeof e?st(this.doc,e):e?n.from():n.to(),t||"page")},charCoords:function(e,t){return Kn(this,st(this.doc,e),t||"page")},coordsChar:function(e,t){return Yn(this,(e=qn(this,e,t||"page")).left,e.top)},lineAtHeight:function(e,t){return e=qn(this,{top:e,left:0},t||"page").top,Je(this.doc,e+this.display.viewOffset)},heightAtLine:function(e,t,n){var r,o=!1;if("number"==typeof e){var i=this.doc.first+this.doc.size-1;e<this.doc.first?e=this.doc.first:e>i&&(e=i,o=!0),r=Ke(this.doc,e)}else r=e;return zn(this,r,{top:0,left:0},t||"page",n||o).top+(o?this.doc.height-$t(r):0)},defaultTextHeight:function(){return tr(this.display)},defaultCharWidth:function(){return nr(this.display)},getViewport:function(){return{from:this.display.viewFrom,to:this.display.viewTo}},addWidget:function(e,t,n,r,o){var i,a,s,l=this.display,c=(e=Gn(this,st(this.doc,e))).bottom,u=e.left;if(t.style.position="absolute",t.setAttribute("cm-ignore-events","true"),this.display.input.setUneditable(t),l.sizer.appendChild(t),"over"==r)c=e.top;else if("above"==r||"near"==r){var p=Math.max(l.wrapper.clientHeight,this.doc.height),d=Math.max(l.sizer.clientWidth,l.lineSpace.clientWidth);("above"==r||e.bottom+t.offsetHeight>p)&&e.top>t.offsetHeight?c=e.top-t.offsetHeight:e.bottom+t.offsetHeight<=p&&(c=e.bottom),u+t.offsetWidth>d&&(u=d-t.offsetWidth)}t.style.top=c+"px",t.style.left=t.style.right="","right"==o?(u=l.sizer.clientWidth-t.offsetWidth,t.style.right="0px"):("left"==o?u=0:"middle"==o&&(u=(l.sizer.clientWidth-t.offsetWidth)/2),t.style.left=u+"px"),n&&(i=this,a={left:u,top:c,right:u+t.offsetWidth,bottom:c+t.offsetHeight},null!=(s=Tr(i,a)).scrollTop&&Rr(i,s.scrollTop),null!=s.scrollLeft&&Ir(i,s.scrollLeft))},triggerOnKeyDown:Qr(sa),triggerOnKeyPress:Qr(ca),triggerOnKeyUp:la,triggerOnMouseDown:Qr(fa),execCommand:function(e){if(Qi.hasOwnProperty(e))return Qi[e].call(null,this)},triggerElectric:Qr(function(e){Da(this,e)}),findPosH:function(e,t,n,r){var o=1;t<0&&(o=-1,t=-t);for(var i=st(this.doc,e),a=0;a<t&&!(i=Ia(this.doc,i,o,n,r)).hitSide;++a);return i},moveH:Qr(function(e,t){var n=this;this.extendSelectionsBy(function(r){return n.display.shift||n.doc.extend||r.empty()?Ia(n.doc,r.head,e,t,n.options.rtlMoveVisually):e<0?r.from():r.to()},q)}),deleteH:Qr(function(e,t){var n=this.doc.sel,r=this.doc;n.somethingSelected()?r.replaceSelection("",null,"+delete"):Vi(this,function(n){var o=Ia(r,n.head,e,t,!1);return e<0?{from:o,to:n.head}:{from:n.head,to:o}})}),findPosV:function(e,t,n,r){var o=1,i=r;t<0&&(o=-1,t=-t);for(var a=st(this.doc,e),s=0;s<t;++s){var l=Gn(this,a,"div");if(null==i?i=l.left:l.left=i,(a=Fa(this,l,o,n)).hitSide)break}return a},moveV:Qr(function(e,t){var n=this,r=this.doc,o=[],i=!this.display.shift&&!r.extend&&r.sel.somethingSelected();if(r.extendSelectionsBy(function(a){if(i)return e<0?a.from():a.to();var s=Gn(n,a.head,"div");null!=a.goalColumn&&(s.left=a.goalColumn),o.push(s.left);var l=Fa(n,s,e,t);return"page"==t&&a==r.sel.primary()&&Sr(n,Kn(n,l,"div").top-s.top),l},q),o.length)for(var a=0;a<r.sel.ranges.length;a++)r.sel.ranges[a].goalColumn=o[a]}),findWordAt:function(e){var t=this.doc,n=Ke(t,e.line).text,r=e.ch,o=e.ch;if(n){var i=this.getHelper(e,"wordChars");"before"!=e.sticky&&o!=n.length||!r?++o:--r;for(var a=n.charAt(r),s=te(a,i)?function(e){return te(e,i)}:/\s/.test(a)?function(e){return/\s/.test(e)}:function(e){return!/\s/.test(e)&&!te(e)};r>0&&s(n.charAt(r-1));)--r;for(;o<n.length&&s(n.charAt(o));)++o}return new wo(et(e.line,r),et(e.line,o))},toggleOverwrite:function(e){null!=e&&e==this.state.overwrite||((this.state.overwrite=!this.state.overwrite)?R(this.display.cursorDiv,"CodeMirror-overwrite"):O(this.display.cursorDiv,"CodeMirror-overwrite"),me(this,"overwriteToggle",this,this.state.overwrite))},hasFocus:function(){return this.display.input.getField()==A()},isReadOnly:function(){return!(!this.options.readOnly&&!this.doc.cantEdit)},scrollTo:Qr(function(e,t){Mr(this,e,t)}),getScrollInfo:function(){var e=this.display.scroller;return{left:e.scrollLeft,top:e.scrollTop,height:e.scrollHeight-On(this)-this.display.barHeight,width:e.scrollWidth-On(this)-this.display.barWidth,clientHeight:Sn(this),clientWidth:Tn(this)}},scrollIntoView:Qr(function(e,t){null==e?(e={from:this.doc.sel.primary().head,to:null},null==t&&(t=this.options.cursorScrollMargin)):"number"==typeof e?e={from:et(e,0),to:null}:null==e.from&&(e={from:e,to:null}),e.to||(e.to=e.from),e.margin=t||0,null!=e.from.line?function(e,t){Dr(e),e.curOp.scrollToPos=t}(this,e):Ar(this,e.from,e.to,e.margin)}),setSize:Qr(function(e,t){var n=this,r=function(e){return"number"==typeof e||/^\d+$/.test(String(e))?e+"px":e};null!=e&&(this.display.wrapper.style.width=r(e)),null!=t&&(this.display.wrapper.style.height=r(t)),this.options.lineWrapping&&Bn(this);var o=this.display.viewFrom;this.doc.iter(o,this.display.viewTo,function(e){if(e.widgets)for(var t=0;t<e.widgets.length;t++)if(e.widgets[t].noHScroll){ur(n,o,"widget");break}++o}),this.curOp.forceUpdate=!0,me(this,"refresh",this)}),operation:function(e){return Yr(this,e)},startOperation:function(){return zr(this)},endOperation:function(){return qr(this)},refresh:Qr(function(){var e=this.display.cachedTextHeight;cr(this),this.curOp.forceUpdate=!0,Un(this),Mr(this,this.doc.scrollLeft,this.doc.scrollTop),ao(this.display),(null==e||Math.abs(e-tr(this.display))>.5)&&ar(this),me(this,"refresh",this)}),swapDoc:Qr(function(e){var t=this.doc;return t.cm=null,this.state.selectingText&&this.state.selectingText(),Ro(this,e),Un(this),this.display.input.reset(),Mr(this,e.scrollLeft,e.scrollTop),this.curOp.forceScroll=!0,ln(this,"swapDoc",this,t),t}),phrase:function(e){var t=this.options.phrases;return t&&Object.prototype.hasOwnProperty.call(t,e)?t[e]:e},getInputField:function(){return this.display.input.getField()},getWrapperElement:function(){return this.display.wrapper},getScrollerElement:function(){return this.display.scroller},getGutterElement:function(){return this.display.gutters}},ve(e),e.registerHelper=function(t,r,o){n.hasOwnProperty(t)||(n[t]=e[t]={_global:[]}),n[t][r]=o},e.registerGlobalHelper=function(t,r,o,i){e.registerHelper(t,r,i),n[t]._global.push({pred:o,val:i})}}(Ca);var $a="iter insert remove copy getEditor constructor".split(" ");for(var za in Si.prototype)Si.prototype.hasOwnProperty(za)&&U($a,za)<0&&(Ca.prototype[za]=function(e){return function(){return e.apply(this.doc,arguments)}}(Si.prototype[za]));return ve(Si),Ca.inputStyles={textarea:Ha,contenteditable:ja},Ca.defineMode=function(e){Ca.defaults.mode||"null"==e||(Ca.defaults.mode=e),function(e,t){arguments.length>2&&(t.dependencies=Array.prototype.slice.call(arguments,2)),Fe[e]=t}.apply(this,arguments)},Ca.defineMIME=function(e,t){je[e]=t},Ca.defineMode("null",function(){return{token:function(e){return e.skipToEnd()}}}),Ca.defineMIME("text/plain","null"),Ca.defineExtension=function(e,t){Ca.prototype[e]=t},Ca.defineDocExtension=function(e,t){Si.prototype[e]=t},Ca.fromTextArea=function(e,t){if((t=t?j(t):{}).value=e.value,!t.tabindex&&e.tabIndex&&(t.tabindex=e.tabIndex),!t.placeholder&&e.placeholder&&(t.placeholder=e.placeholder),null==t.autofocus){var n=A();t.autofocus=n==e||null!=e.getAttribute("autofocus")&&n==document.body}function r(){e.value=s.getValue()}var o;if(e.form&&(de(e.form,"submit",r),!t.leaveSubmitMethodAlone)){var i=e.form;o=i.submit;try{var a=i.submit=function(){r(),i.submit=o,i.submit(),i.submit=a}}catch(e){}}t.finishInit=function(t){t.save=r,t.getTextArea=function(){return e},t.toTextArea=function(){t.toTextArea=isNaN,r(),e.parentNode.removeChild(t.getWrapperElement()),e.style.display="",e.form&&(he(e.form,"submit",r),"function"==typeof e.form.submit&&(e.form.submit=o))}},e.style.display="none";var s=Ca(function(t){return e.parentNode.insertBefore(t,e.nextSibling)},t);return s},function(e){e.off=he,e.on=de,e.wheelEventPixels=_o,e.Doc=Si,e.splitLines=Ae,e.countColumn=N,e.findColumn=K,e.isWordChar=ee,e.Pass=H,e.signal=me,e.Line=Kt,e.changeEnd=Co,e.scrollbarModel=Wr,e.Pos=et,e.cmpPos=tt,e.modes=Fe,e.mimeModes=je,e.resolveMode=Ne,e.getMode=Be,e.modeExtensions=Ue,e.extendMode=We,e.copyState=He,e.startState=ze,e.innerMode=$e,e.commands=Qi,e.keyMap=Ui,e.keyName=Ki,e.isModifierKey=zi,e.lookupKey=$i,e.normalizeKeyMap=Hi,e.StringStream=qe,e.SharedTextMarker=Ci,e.TextMarker=xi,e.LineWidget=vi,e.e_preventDefault=ye,e.e_stopPropagation=we,e.e_stop=ke,e.addClass=R,e.contains=D,e.rmClass=O,e.keyNames=Fi}(Ca),Ca.version="5.46.0",Ca}()},1631:function(e,t,n){"use strict";(function(e){n.d(t,"x",function(){return i}),n.d(t,"e",function(){return a}),n.d(t,"b",function(){return l}),n.d(t,"a",function(){return c}),n.d(t,"c",function(){return u}),n.d(t,"d",function(){return p}),n.d(t,"r",function(){return f}),n.d(t,"u",function(){return h}),n.d(t,"o",function(){return m}),n.d(t,"h",function(){return b}),n.d(t,"q",function(){return v}),n.d(t,"v",function(){return y}),n.d(t,"w",function(){return w}),n.d(t,"f",function(){return x}),n.d(t,"l",function(){return k}),n.d(t,"g",function(){return C}),n.d(t,"m",function(){return E}),n.d(t,"j",function(){return O}),n.d(t,"y",function(){return S}),n.d(t,"t",function(){return D}),n.d(t,"s",function(){return A}),n.d(t,"n",function(){return R}),n.d(t,"z",function(){return L}),n.d(t,"p",function(){return I}),n.d(t,"k",function(){return F}),n.d(t,"A",function(){return j}),n.d(t,"i",function(){return N});var r=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var n=arguments[t];for(var r in n)Object.prototype.hasOwnProperty.call(n,r)&&(e[r]=n[r])}return e},o="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e},i=function(e){return"@@redux-saga/"+e},a=i("TASK"),s=i("HELPER"),l=i("MATCH"),c=i("CANCEL_PROMISE"),u=i("SAGA_ACTION"),p=i("SELF_CANCELLATION"),d=function(e){return function(){return e}},f=d(!0),h=function(){},m=function(e){return e};function b(e,t,n){if(!t(e))throw A("error","uncaught at check",n),new Error(n)}var g=Object.prototype.hasOwnProperty;function _(e,t){return v.notUndef(e)&&g.call(e,t)}var v={undef:function(e){return null==e},notUndef:function(e){return null!=e},func:function(e){return"function"==typeof e},number:function(e){return"number"==typeof e},string:function(e){return"string"==typeof e},array:Array.isArray,object:function(e){return e&&!v.array(e)&&"object"===(void 0===e?"undefined":o(e))},promise:function(e){return e&&v.func(e.then)},iterator:function(e){return e&&v.func(e.next)&&v.func(e.throw)},iterable:function(e){return e&&v.func(Symbol)?v.func(e[Symbol.iterator]):v.array(e)},task:function(e){return e&&e[a]},observable:function(e){return e&&v.func(e.subscribe)},buffer:function(e){return e&&v.func(e.isEmpty)&&v.func(e.take)&&v.func(e.put)},pattern:function(e){return e&&(v.string(e)||"symbol"===(void 0===e?"undefined":o(e))||v.func(e)||v.array(e))},channel:function(e){return e&&v.func(e.take)&&v.func(e.close)},helper:function(e){return e&&e[s]},stringableFunc:function(e){return v.func(e)&&_(e,"toString")}},y={assign:function(e,t){for(var n in t)_(t,n)&&(e[n]=t[n])}};function w(e,t){var n=e.indexOf(t);n>=0&&e.splice(n,1)}var x={from:function(e){var t=Array(e.length);for(var n in e)_(e,n)&&(t[n]=e[n]);return t}};function k(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},n=r({},t),o=new e(function(e,t){n.resolve=e,n.reject=t});return n.promise=o,n}function C(e){for(var t=[],n=0;n<e;n++)t.push(k());return t}function E(t){var n=!(arguments.length>1&&void 0!==arguments[1])||arguments[1],r=void 0,o=new e(function(e){r=setTimeout(function(){return e(n)},t)});return o[c]=function(){return clearTimeout(r)},o}function O(){var e,t=!0,n=void 0,r=void 0;return(e={})[a]=!0,e.isRunning=function(){return t},e.result=function(){return n},e.error=function(){return r},e.setRunning=function(e){return t=e},e.setResult=function(e){return n=e},e.setError=function(e){return r=e},e}function T(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:0;return function(){return++e}}var S=T(),P=function(e){throw e},M=function(e){return{value:e,done:!0}};function D(e){var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:P,n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:"",r=arguments[3],o={name:n,next:e,throw:t,return:M};return r&&(o[s]=!0),"undefined"!=typeof Symbol&&(o[Symbol.iterator]=function(){return o}),o}function A(e,t){var n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:"";"undefined"==typeof window?console.log("redux-saga "+e+": "+t+"\n"+(n&&n.stack||n)):console[e](t,n)}function R(e,t){return function(){return e.apply(void 0,arguments)}}var L=function(e,t){return e+" has been deprecated in favor of "+t+", please update your code"},I=function(e){return new Error("\n redux-saga: Error checking hooks detected an inconsistent state. This is likely a bug\n in redux-saga code and not yours. Thanks for reporting this in the project's github repo.\n Error: "+e+"\n")},F=function(e,t){return(e?e+".":"")+"setContext(props): argument "+t+" is not a plain object"},j=function(e){return function(t){return e(Object.defineProperty(t,u,{value:!0}))}},N=function e(t){return function(){for(var n=arguments.length,r=Array(n),o=0;o<n;o++)r[o]=arguments[o];var i=[],a=t.apply(void 0,r);return{next:function(e){return i.push(e),a.next(e)},clone:function(){var n=e(t).apply(void 0,r);return i.forEach(function(e){return n.next(e)}),n},return:function(e){return a.return(e)},throw:function(e){return a.throw(e)}}}}}).call(this,n(10))},1633:function(e,t,n){var r;e.exports=(r=n(1628),void(r.lib.Cipher||function(e){var t=r,n=t.lib,o=n.Base,i=n.WordArray,a=n.BufferedBlockAlgorithm,s=t.enc,l=(s.Utf8,s.Base64),c=t.algo,u=c.EvpKDF,p=n.Cipher=a.extend({cfg:o.extend(),createEncryptor:function(e,t){return this.create(this._ENC_XFORM_MODE,e,t)},createDecryptor:function(e,t){return this.create(this._DEC_XFORM_MODE,e,t)},init:function(e,t,n){this.cfg=this.cfg.extend(n),this._xformMode=e,this._key=t,this.reset()},reset:function(){a.reset.call(this),this._doReset()},process:function(e){return this._append(e),this._process()},finalize:function(e){e&&this._append(e);var t=this._doFinalize();return t},keySize:4,ivSize:4,_ENC_XFORM_MODE:1,_DEC_XFORM_MODE:2,_createHelper:function(){function e(e){return"string"==typeof e?k:y}return function(t){return{encrypt:function(n,r,o){return e(r).encrypt(t,n,r,o)},decrypt:function(n,r,o){return e(r).decrypt(t,n,r,o)}}}}()}),d=(n.StreamCipher=p.extend({_doFinalize:function(){var e=this._process(!0);return e},blockSize:1}),t.mode={}),f=n.BlockCipherMode=o.extend({createEncryptor:function(e,t){return this.Encryptor.create(e,t)},createDecryptor:function(e,t){return this.Decryptor.create(e,t)},init:function(e,t){this._cipher=e,this._iv=t}}),h=d.CBC=function(){var t=f.extend();function n(t,n,r){var o=this._iv;if(o){var i=o;this._iv=e}else var i=this._prevBlock;for(var a=0;a<r;a++)t[n+a]^=i[a]}return t.Encryptor=t.extend({processBlock:function(e,t){var r=this._cipher,o=r.blockSize;n.call(this,e,t,o),r.encryptBlock(e,t),this._prevBlock=e.slice(t,t+o)}}),t.Decryptor=t.extend({processBlock:function(e,t){var r=this._cipher,o=r.blockSize,i=e.slice(t,t+o);r.decryptBlock(e,t),n.call(this,e,t,o),this._prevBlock=i}}),t}(),m=t.pad={},b=m.Pkcs7={pad:function(e,t){for(var n=4*t,r=n-e.sigBytes%n,o=r<<24|r<<16|r<<8|r,a=[],s=0;s<r;s+=4)a.push(o);var l=i.create(a,r);e.concat(l)},unpad:function(e){var t=255&e.words[e.sigBytes-1>>>2];e.sigBytes-=t}},g=(n.BlockCipher=p.extend({cfg:p.cfg.extend({mode:h,padding:b}),reset:function(){p.reset.call(this);var e=this.cfg,t=e.iv,n=e.mode;if(this._xformMode==this._ENC_XFORM_MODE)var r=n.createEncryptor;else{var r=n.createDecryptor;this._minBufferSize=1}this._mode=r.call(n,this,t&&t.words)},_doProcessBlock:function(e,t){this._mode.processBlock(e,t)},_doFinalize:function(){var e=this.cfg.padding;if(this._xformMode==this._ENC_XFORM_MODE){e.pad(this._data,this.blockSize);var t=this._process(!0)}else{var t=this._process(!0);e.unpad(t)}return t},blockSize:4}),n.CipherParams=o.extend({init:function(e){this.mixIn(e)},toString:function(e){return(e||this.formatter).stringify(this)}})),_=t.format={},v=_.OpenSSL={stringify:function(e){var t=e.ciphertext,n=e.salt;if(n)var r=i.create([1398893684,1701076831]).concat(n).concat(t);else var r=t;return r.toString(l)},parse:function(e){var t=l.parse(e),n=t.words;if(1398893684==n[0]&&1701076831==n[1]){var r=i.create(n.slice(2,4));n.splice(0,4),t.sigBytes-=16}return g.create({ciphertext:t,salt:r})}},y=n.SerializableCipher=o.extend({cfg:o.extend({format:v}),encrypt:function(e,t,n,r){r=this.cfg.extend(r);var o=e.createEncryptor(n,r),i=o.finalize(t),a=o.cfg;return g.create({ciphertext:i,key:n,iv:a.iv,algorithm:e,mode:a.mode,padding:a.padding,blockSize:e.blockSize,formatter:r.format})},decrypt:function(e,t,n,r){r=this.cfg.extend(r),t=this._parse(t,r.format);var o=e.createDecryptor(n,r).finalize(t.ciphertext);return o},_parse:function(e,t){return"string"==typeof e?t.parse(e,this):e}}),w=t.kdf={},x=w.OpenSSL={execute:function(e,t,n,r){r||(r=i.random(8));var o=u.create({keySize:t+n}).compute(e,r),a=i.create(o.words.slice(t),4*n);return o.sigBytes=4*t,g.create({key:o,iv:a,salt:r})}},k=n.PasswordBasedCipher=y.extend({cfg:y.cfg.extend({kdf:x}),encrypt:function(e,t,n,r){var o=(r=this.cfg.extend(r)).kdf.execute(n,e.keySize,e.ivSize);r.iv=o.iv;var i=y.encrypt.call(this,e,t,o.key,r);return i.mixIn(o),i},decrypt:function(e,t,n,r){r=this.cfg.extend(r),t=this._parse(t,r.format);var o=r.kdf.execute(n,e.keySize,e.ivSize,t.salt);r.iv=o.iv;var i=y.decrypt.call(this,e,t,o.key,r);return i}})}()))},1635:function(e,t,n){"use strict";var r=!1;try{r=!1}catch(e){}t.createReducer=function(e,t){return r&&t[void 0]&&console.warn("Reducer contains an 'undefined' action type. Have you misspelled a constant?"),function(n,r){return void 0===n&&(n=e),t.hasOwnProperty(r.type)?t[r.type](n,r):n}}},1644:function(e,t,n){"use strict";var r,o=this&&this.__extends||(r=function(e,t){return(r=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(e,t){e.__proto__=t}||function(e,t){for(var n in t)t.hasOwnProperty(n)&&(e[n]=t[n])})(e,t)},function(e,t){function n(){this.constructor=e}r(e,t),e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)});Object.defineProperty(t,"__esModule",{value:!0});var i=n(3060),a=n(3061),s=n(3062),l=n(1653),c=n(1650);t.DEFAULT_ATTR=256|c.DEFAULT_COLOR<<9,t.CHAR_DATA_ATTR_INDEX=0,t.CHAR_DATA_CHAR_INDEX=1,t.CHAR_DATA_WIDTH_INDEX=2,t.CHAR_DATA_CODE_INDEX=3,t.MAX_BUFFER_SIZE=4294967295,t.NULL_CELL_CHAR="",t.NULL_CELL_WIDTH=1,t.NULL_CELL_CODE=0,t.WHITESPACE_CELL_CHAR=" ",t.WHITESPACE_CELL_WIDTH=1,t.WHITESPACE_CELL_CODE=32,t.FILL_CHAR_DATA=[t.DEFAULT_ATTR,t.NULL_CELL_CHAR,t.NULL_CELL_WIDTH,t.NULL_CELL_CODE];var u=function(){function e(e,t){this._terminal=e,this._hasScrollback=t,this.markers=[],this._cols=this._terminal.cols,this._rows=this._terminal.rows,this.clear()}return e.prototype.getBlankLine=function(e,n){var r=[e,t.NULL_CELL_CHAR,t.NULL_CELL_WIDTH,t.NULL_CELL_CODE];return new i.BufferLine(this._cols,r,n)},Object.defineProperty(e.prototype,"hasScrollback",{get:function(){return this._hasScrollback&&this.lines.maxLength>this._rows},enumerable:!0,configurable:!0}),Object.defineProperty(e.prototype,"isCursorInViewport",{get:function(){var e=this.ybase+this.y-this.ydisp;return e>=0&&e<this._rows},enumerable:!0,configurable:!0}),e.prototype._getCorrectBufferLength=function(e){if(!this._hasScrollback)return e;var n=e+this._terminal.options.scrollback;return n>t.MAX_BUFFER_SIZE?t.MAX_BUFFER_SIZE:n},e.prototype.fillViewportRows=function(e){if(0===this.lines.length){void 0===e&&(e=t.DEFAULT_ATTR);for(var n=this._rows;n--;)this.lines.push(this.getBlankLine(e))}},e.prototype.clear=function(){this.ydisp=0,this.ybase=0,this.y=0,this.x=0,this.lines=new s.CircularList(this._getCorrectBufferLength(this._rows)),this.scrollTop=0,this.scrollBottom=this._rows-1,this.setupTabStops()},e.prototype.resize=function(e,n){var r=this._getCorrectBufferLength(n);if(r>this.lines.maxLength&&(this.lines.maxLength=r),this.lines.length>0){if(this._cols<e)for(var o=0;o<this.lines.length;o++)this.lines.get(o).resize(e,t.FILL_CHAR_DATA);var a=0;if(this._rows<n)for(var s=this._rows;s<n;s++)this.lines.length<n+this.ybase&&(this.ybase>0&&this.lines.length<=this.ybase+this.y+a+1?(this.ybase--,a++,this.ydisp>0&&this.ydisp--):this.lines.push(new i.BufferLine(e,t.FILL_CHAR_DATA)));else for(s=this._rows;s>n;s--)this.lines.length>n+this.ybase&&(this.lines.length>this.ybase+this.y+1?this.lines.pop():(this.ybase++,this.ydisp++));if(r<this.lines.maxLength){var l=this.lines.length-r;l>0&&(this.lines.trimStart(l),this.ybase=Math.max(this.ybase-l,0),this.ydisp=Math.max(this.ydisp-l,0)),this.lines.maxLength=r}this.x=Math.min(this.x,e-1),this.y=Math.min(this.y,n-1),a&&(this.y+=a),this.savedY=Math.min(this.savedY,n-1),this.savedX=Math.min(this.savedX,e-1),this.scrollTop=0}if(this.scrollBottom=n-1,this._isReflowEnabled&&(this._reflow(e,n),this._cols>e))for(o=0;o<this.lines.length;o++)this.lines.get(o).resize(e,t.FILL_CHAR_DATA);this._cols=e,this._rows=n},Object.defineProperty(e.prototype,"_isReflowEnabled",{get:function(){return this._hasScrollback&&!this._terminal.isWinptyCompatEnabled},enumerable:!0,configurable:!0}),e.prototype._reflow=function(e,t){this._cols!==e&&(e>this._cols?this._reflowLarger(e,t):this._reflowSmaller(e,t))},e.prototype._reflowLarger=function(e,t){var n=a.reflowLargerGetLinesToRemove(this.lines,this._cols,e,this.ybase+this.y);if(n.length>0){var r=a.reflowLargerCreateNewLayout(this.lines,n);a.reflowLargerApplyNewLayout(this.lines,r.layout),this._reflowLargerAdjustViewport(e,t,r.countRemoved)}},e.prototype._reflowLargerAdjustViewport=function(e,n,r){for(var o=r;o-- >0;)0===this.ybase?(this.y>0&&this.y--,this.lines.length<n&&this.lines.push(new i.BufferLine(e,t.FILL_CHAR_DATA))):(this.ydisp===this.ybase&&this.ydisp--,this.ybase--)},e.prototype._reflowSmaller=function(e,n){for(var r=[],o=0,i=this.lines.length-1;i>=0;i--){var s=this.lines.get(i);if(s.isWrapped||!(s.getTrimmedLength()<=e)){for(var l=[s];s.isWrapped&&i>0;)s=this.lines.get(--i),l.unshift(s);var c=this.ybase+this.y;if(!(c>=i&&c<i+l.length)){var u=l[l.length-1].getTrimmedLength(),p=a.reflowSmallerGetNewLineLengths(l,this._cols,e),d=p.length-l.length,f=void 0;f=0===this.ybase&&this.y!==this.lines.length-1?Math.max(0,this.y-this.lines.maxLength+d):Math.max(0,this.lines.length-this.lines.maxLength+d);for(var h=[],m=0;m<d;m++){var b=this.getBlankLine(t.DEFAULT_ATTR,!0);h.push(b)}h.length>0&&(r.push({start:i+l.length+o,newLines:h}),o+=h.length),l.push.apply(l,h);var g=p.length-1,_=p[g];0===_&&(_=p[--g]);for(var v=l.length-d-1,y=u;v>=0;){var w=Math.min(y,_);if(l[g].copyCellsFrom(l[v],y-w,_-w,w,!0),0===(_-=w)&&(_=p[--g]),0===(y-=w)){v--;var x=Math.max(v,0);y=a.getWrappedLineTrimmedLength(l,x,this._cols)}}for(m=0;m<l.length;m++)p[m]<e&&l[m].set(p[m],t.FILL_CHAR_DATA);for(var k=d-f;k-- >0;)0===this.ybase?this.y<n-1?(this.y++,this.lines.pop()):(this.ybase++,this.ydisp++):this.ybase<Math.min(this.lines.maxLength,this.lines.length+o)-n&&(this.ybase===this.ydisp&&this.ydisp++,this.ybase++)}}}if(r.length>0){var C=[],E=[];for(m=0;m<this.lines.length;m++)E.push(this.lines.get(m));var O=this.lines.length,T=O-1,S=0,P=r[S];this.lines.length=Math.min(this.lines.maxLength,this.lines.length+o);var M=0;for(m=Math.min(this.lines.maxLength-1,O+o-1);m>=0;m--)if(P&&P.start>T+M){for(var D=P.newLines.length-1;D>=0;D--)this.lines.set(m--,P.newLines[D]);m++,C.push({index:T+1,amount:P.newLines.length}),M+=P.newLines.length,P=r[++S]}else this.lines.set(m,E[T--]);var A=0;for(m=C.length-1;m>=0;m--)C[m].index+=A,this.lines.emit("insert",C[m]),A+=C[m].amount;var R=Math.max(0,O+o-this.lines.maxLength);R>0&&this.lines.emitMayRemoveListeners("trim",R)}},e.prototype.stringIndexToBufferIndex=function(e,n,r){for(void 0===r&&(r=!1);n;){var o=this.lines.get(e);if(!o)return[-1,-1];for(var i=r?o.getTrimmedLength():o.length,a=0;a<i;++a)if(o.get(a)[t.CHAR_DATA_WIDTH_INDEX]&&(n-=o.get(a)[t.CHAR_DATA_CHAR_INDEX].length||1),n<0)return[e,a];e++}return[e,0]},e.prototype.translateBufferLineToString=function(e,t,n,r){void 0===n&&(n=0);var o=this.lines.get(e);return o?o.translateToString(t,n,r):""},e.prototype.getWrappedRangeForLine=function(e){for(var t=e,n=e;t>0&&this.lines.get(t).isWrapped;)t--;for(;n+1<this.lines.length&&this.lines.get(n+1).isWrapped;)n++;return{first:t,last:n}},e.prototype.setupTabStops=function(e){for(null!=e?this.tabs[e]||(e=this.prevStop(e)):(this.tabs={},e=0);e<this._cols;e+=this._terminal.options.tabStopWidth)this.tabs[e]=!0},e.prototype.prevStop=function(e){for(null==e&&(e=this.x);!this.tabs[--e]&&e>0;);return e>=this._cols?this._cols-1:e<0?0:e},e.prototype.nextStop=function(e){for(null==e&&(e=this.x);!this.tabs[++e]&&e<this._cols;);return e>=this._cols?this._cols-1:e<0?0:e},e.prototype.addMarker=function(e){var t=this,n=new p(e);return this.markers.push(n),n.register(this.lines.addDisposableListener("trim",function(e){n.line-=e,n.line<0&&n.dispose()})),n.register(this.lines.addDisposableListener("insert",function(e){n.line>=e.index&&(n.line+=e.amount)})),n.register(this.lines.addDisposableListener("delete",function(e){n.line>=e.index&&n.line<e.index+e.amount&&n.dispose(),n.line>e.index&&(n.line-=e.amount)})),n.register(n.addDisposableListener("dispose",function(){return t._removeMarker(n)})),n},e.prototype._removeMarker=function(e){this.markers.splice(this.markers.indexOf(e),1)},e.prototype.iterator=function(e,t,n,r,o){return new d(this,e,t,n,r,o)},e}();t.Buffer=u;var p=function(e){function t(n){var r=e.call(this)||this;return r.line=n,r._id=t._nextId++,r.isDisposed=!1,r}return o(t,e),Object.defineProperty(t.prototype,"id",{get:function(){return this._id},enumerable:!0,configurable:!0}),t.prototype.dispose=function(){this.isDisposed||(this.isDisposed=!0,this.emit("dispose"),e.prototype.dispose.call(this))},t._nextId=1,t}(l.EventEmitter);t.Marker=p;var d=function(){function e(e,t,n,r,o,i){void 0===n&&(n=0),void 0===r&&(r=e.lines.length),void 0===o&&(o=0),void 0===i&&(i=0),this._buffer=e,this._trimRight=t,this._startIndex=n,this._endIndex=r,this._startOverscan=o,this._endOverscan=i,this._startIndex<0&&(this._startIndex=0),this._endIndex>this._buffer.lines.length&&(this._endIndex=this._buffer.lines.length),this._current=this._startIndex}return e.prototype.hasNext=function(){return this._current<this._endIndex},e.prototype.next=function(){var e=this._buffer.getWrappedRangeForLine(this._current);e.first<this._startIndex-this._startOverscan&&(e.first=this._startIndex-this._startOverscan),e.last>this._endIndex+this._endOverscan&&(e.last=this._endIndex+this._endOverscan),e.first=Math.max(e.first,0),e.last=Math.min(e.last,this._buffer.lines.length);for(var t="",n=e.first;n<=e.last;++n)t+=this._buffer.translateBufferLineToString(n,this._trimRight);return this._current=e.last+1,{range:e,content:t}},e}();t.BufferStringIterator=d},1645:function(e,t,n){"use strict";(function(e){Object.defineProperty(t,"__esModule",{value:!0}),t.fullScreenConstants=void 0;var r=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var n=arguments[t];for(var r in n)Object.prototype.hasOwnProperty.call(n,r)&&(e[r]=n[r])}return e},o=function(){function e(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}return function(t,n,r){return n&&e(t.prototype,n),r&&e(t,r),t}}(),i=p(n(2940)),a=p(n(2941)),s=p(n(2942)),l=p(n(1)),c=p(n(0)),u=p(n(2943));function p(e){return e&&e.__esModule?e:{default:e}}function d(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}var f=t.fullScreenConstants={FILLS_BROWSER_WINDOW:"fillsBrowserWindow",FILLS_MONITOR_SCREEN:"fillsMonitorScreen"};t.default=function(){return function(t){var n,p,h=(p=n=function(e){function n(){var e,t,r;!function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}(this,n);for(var o=arguments.length,a=Array(o),s=0;s<o;s++)a[s]=arguments[s];return t=r=d(this,(e=n.__proto__||Object.getPrototypeOf(n)).call.apply(e,[this].concat(a))),r.state={isFillingMonitorScreen:!1,wrapperNode:null},r.handleToggleFullScreen=function(){i.default&&r.props.fullScreen===f.FILLS_MONITOR_SCREEN&&i.default.toggle(r.state.wrapperNode),r.props.onToggleFullScreen&&r.props.onToggleFullScreen()},d(r,t)}return function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}(n,l.default.Component),o(n,[{key:"componentDidMount",value:function(){var e=this;i.default&&i.default.onchange(function(){e.setState({isFillingMonitorScreen:i.default.isFullscreen})})}},{key:"componentWillUnmount",value:function(){i.default&&i.default.off()}},{key:"getFullScreenMode",value:function(){var e=this.props.fullScreen;return!(!this.state.isFillingMonitorScreen&&e!==f.FILLS_BROWSER_WINDOW)}},{key:"render",value:function(){var e=this,n=this.state.wrapperNode;return l.default.createElement("div",{className:u.default.wrapper,ref:function(t){return!e.state.wrapperNode&&e.setState({wrapperNode:t})}},l.default.createElement(t,r({},this.props,{parentNode:n,onToggleFillsMonitorScreen:this.props.fullScreen===f.FILLS_MONITOR_SCREEN||this.props.onToggleFullScreen?this.handleToggleFullScreen:void 0,isFullScreenActive:this.getFullScreenMode()})))}}]),n}(),n.displayName="Blueprints("+(0,a.default)(t)+")",n.propTypes={onToggleFullScreen:c.default.func},p);return e((0,s.default)(h,t),u.default)}}}).call(this,n(5))},1650:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DEFAULT_COLOR=256,t.INVERTED_DEFAULT_COLOR=257,t.DIM_OPACITY=.5,t.CHAR_ATLAS_CELL_SPACING=1},1653:function(e,t,n){"use strict";var r,o=this&&this.__extends||(r=function(e,t){return(r=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(e,t){e.__proto__=t}||function(e,t){for(var n in t)t.hasOwnProperty(n)&&(e[n]=t[n])})(e,t)},function(e,t){function n(){this.constructor=e}r(e,t),e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)});Object.defineProperty(t,"__esModule",{value:!0});var i=function(e){function t(){var t=e.call(this)||this;return t._events=t._events||{},t}return o(t,e),t.prototype.on=function(e,t){this._events[e]=this._events[e]||[],this._events[e].push(t)},t.prototype.addDisposableListener=function(e,t){var n=this;this.on(e,t);var r=!1;return{dispose:function(){r||(n.off(e,t),r=!0)}}},t.prototype.off=function(e,t){if(this._events[e])for(var n=this._events[e],r=n.length;r--;)if(n[r]===t)return void n.splice(r,1)},t.prototype.removeAllListeners=function(e){this._events[e]&&delete this._events[e]},t.prototype.emit=function(e){for(var t=[],n=1;n<arguments.length;n++)t[n-1]=arguments[n];if(this._events[e])for(var r=this._events[e],o=0;o<r.length;o++)r[o].apply(this,t)},t.prototype.emitMayRemoveListeners=function(e){for(var t=[],n=1;n<arguments.length;n++)t[n-1]=arguments[n];if(this._events[e])for(var r=this._events[e],o=r.length,i=0;i<r.length;i++)r[i].apply(this,t),i-=o-r.length,o=r.length},t.prototype.listeners=function(e){return this._events[e]||[]},t.prototype.dispose=function(){e.prototype.dispose.call(this),this._events={}},t}(n(1678).Disposable);t.EventEmitter=i},1654:function(e,t){e.exports=function(e){function t(e){"undefined"!=typeof console&&(console.error||console.log)("[Script Loader]",e)}try{"undefined"!=typeof execScript&&"undefined"!=typeof attachEvent&&"undefined"==typeof addEventListener?execScript(e):"undefined"!=typeof eval?eval.call(null,e):t("EvalError: No eval function available")}catch(e){t(e)}}},1655:function(e,t,n){"use strict";var r;Object.defineProperty(t,"__esModule",{value:!0}),t.initialState=void 0;var o=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var n=arguments[t];for(var r in n)Object.prototype.hasOwnProperty.call(n,r)&&(e[r]=n[r])}return e};t.sent=B,t.createTerminal=function(e){return{type:E,scope:e}},t.destroyTerminal=function(e){return{type:O,scope:e}},t.newSession=U,t.getSent=function(e){return e.sent},t.saga=W;var i=n(1635),a=n(137),s=n(295),l=m(n(3146)),c=m(n(3149)),u=n(483),p=n(1679),d=n(1694),f=n(2015),h=m(n(1841));function m(e){return e&&e.__esModule?e:{default:e}}var b=regeneratorRuntime.mark(W),g=regeneratorRuntime.mark(H),_=regeneratorRuntime.mark($),v=regeneratorRuntime.mark(z),y=regeneratorRuntime.mark(q),w=regeneratorRuntime.mark(K),x=regeneratorRuntime.mark(G);function k(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}var C="udacity/workspace/analytics/sent",E="udacity/workspace/analytics/create-terminal",O="udacity/workspace/analytics/destroy-terminal",T="udacity/workspace/analytics/new-session",S="Workspace Viewed",P="Workspace Code Reset Clicked",M="Workspace Code Reset",D="Workspace Submit Project Clicked",A="Workspace Project Submitted",R="Workspace Interacted",L="Workspace Code Previewed",I="Workspace Terminal Added",F="Workspace Terminal Removed",j=t.initialState={sent:!1,workspaceSession:null,browserSession:l.default.v4()},N=(0,i.createReducer)(j,(k(r={},C,function(e){return o({},e,{sent:!0})}),k(r,T,function(e,t){var n=t.workspaceSession;return o({},e,{workspaceSession:n})}),r));function B(e){return{type:C,scope:e}}function U(e,t){return{type:T,scope:e,workspaceSession:t}}function W(e,t,n,r,o){var i,s;return regeneratorRuntime.wrap(function(p){for(;;)switch(p.prev=p.next){case 0:return p.t0=a.put,p.t1=U,p.t2=t,p.next=5,(0,a.call)(l.default.v4);case 5:return p.t3=p.sent,p.t4=(0,p.t1)(p.t2,p.t3),p.next=9,(0,p.t0)(p.t4);case 9:return p.next=11,(0,a.select)(function(e){return(0,u.getState)(o(e),t).analytics});case 11:if(i=p.sent,s=V(n,r,i),i.sent){p.next=18;break}return p.next=16,(0,a.call)(c.default.page,S,s);case 16:return p.next=18,(0,a.put)(B(t));case 18:return p.next=20,(0,a.fork)($,e,t,s);case 20:return p.next=22,(0,a.fork)(z,e,t,s);case 22:return p.next=24,(0,a.fork)(q,t,s);case 24:return p.next=26,(0,a.fork)(K,e,n,t,s);case 26:return p.next=28,(0,a.fork)(G,e,n,t,s);case 28:case"end":return p.stop()}},b,this)}function H(e,t,n){var r;return regeneratorRuntime.wrap(function(o){for(;;)switch(o.prev=o.next){case 0:return o.next=3,(0,a.take)(e);case 3:if((r=o.sent).type!==t){o.next=7;break}return o.next=7,(0,a.call)(n,r);case 7:o.next=0;break;case 9:case"end":return o.stop()}},g,this)}function $(e,t,n){return regeneratorRuntime.wrap(function(t){for(;;)switch(t.prev=t.next){case 0:return t.t0=a.fork,t.t1=H,t.next=4,(0,a.call)(e);case 4:return t.t2=t.sent,t.t3=p.RESET,t.t4=function(){return c.default.track(M,n)},t.next=9,(0,t.t0)(t.t1,t.t2,t.t3,t.t4);case 9:return t.t5=a.fork,t.t6=H,t.next=13,(0,a.call)(e);case 13:return t.t7=t.sent,t.t8=p.RESET_OPEN,t.t9=function(){return c.default.track(P,n)},t.next=18,(0,t.t5)(t.t6,t.t7,t.t8,t.t9);case 18:case"end":return t.stop()}},_,this)}function z(e,t,n){return regeneratorRuntime.wrap(function(t){for(;;)switch(t.prev=t.next){case 0:return t.t0=a.fork,t.t1=H,t.next=4,(0,a.call)(e);case 4:return t.t2=t.sent,t.t3=d.SUBMIT_OPEN,t.t4=function(){return c.default.track(D,n)},t.next=9,(0,t.t0)(t.t1,t.t2,t.t3,t.t4);case 9:return t.t5=a.fork,t.t6=H,t.next=13,(0,a.call)(e);case 13:return t.t7=t.sent,t.t8=d.SUBMIT,t.t9=function(){return c.default.track(A,n)},t.next=18,(0,t.t5)(t.t6,t.t7,t.t8,t.t9);case 18:case"end":return t.stop()}},v,this)}function q(e,t){var n,r,i,l,u;return regeneratorRuntime.wrap(function(e){for(;;)switch(e.prev=e.next){case 0:r=1e3*(n=30),i=Date.now(),l=0,document.onkeypress=function(){return l++};case 5:return e.next=8,(0,s.delay)(r);case 8:return u=l,l=0,e.next=12,(0,a.call)(c.default.track,R,o({num_interactions:u,total_time_sec:(Date.now()-i)/1e3,heartbeat_interval_sec:n},t));case 12:e.next=5;break;case 14:case"end":return e.stop()}},y,this)}function K(e,t,n,r){return regeneratorRuntime.wrap(function(n){for(;;)switch(n.prev=n.next){case 0:if(!t.isBlueprint(h.default)){n.next=10;break}return n.t0=a.fork,n.t1=H,n.next=5,(0,a.call)(e);case 5:return n.t2=n.sent,n.t3=f.PREVIEW,n.t4=function(){return c.default.track(L,r)},n.next=10,(0,n.t0)(n.t1,n.t2,n.t3,n.t4);case 10:case"end":return n.stop()}},w,this)}function G(e,t,n,r){return regeneratorRuntime.wrap(function(n){for(;;)switch(n.prev=n.next){case 0:if(!t.isBlueprint(h.default)){n.next=19;break}return n.t0=a.fork,n.t1=H,n.next=5,(0,a.call)(e);case 5:return n.t2=n.sent,n.t3=E,n.t4=function(){return c.default.track(I,r)},n.next=10,(0,n.t0)(n.t1,n.t2,n.t3,n.t4);case 10:return n.t5=a.fork,n.t6=H,n.next=14,(0,a.call)(e);case 14:return n.t7=n.sent,n.t8=O,n.t9=function(){return c.default.track(F,r)},n.next=19,(0,n.t5)(n.t6,n.t7,n.t8,n.t9);case 19:case"end":return n.stop()}},x,this)}function V(e,t,n){return{workspace_type:e.blueprint.Blueprint.kind(),workspace_id:t.workspaceId,browser_session:n.browserSession,workspace_session:n.workspaceSession,nd_key:t.ndKey,nd_version:t.ndVersion,nd_locale:t.ndLocale,part_key:t.partKey,module_key:t.moduleKey,lesson_key:t.lessonKey,concept_key:t.conceptKey}}t.default=N},1656:function(e,t,n){"use strict";(function(e,r){Object.defineProperty(t,"__esModule",{value:!0}),t.GPUMeter=t.default=void 0;var o,i,a,s,l=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var n=arguments[t];for(var r in n)Object.prototype.hasOwnProperty.call(n,r)&&(e[r]=n[r])}return e},c=function(){function e(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}return function(t,n,r){return n&&e(t.prototype,n),r&&e(t,r),t}}(),u=P(n(0)),p=P(n(1)),d=n(31),f=n(33),h=n(3155),m=n(1724),b=n(1679),g=n(1695),_=n(1694),v=n(1768),y=P(n(2020)),w=P(n(3158)),x=P(n(3160)),k=P(n(196)),C=P(n(3162)),E=P(n(3164)),O=P(n(3168)),T=n(1664),S=P(n(3170));function P(e){return e&&e.__esModule?e:{default:e}}function M(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function D(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}function A(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}var R=(0,d.connect)(null,function(e,t){var n=t.scope,r=t.onSubmit;return{backupsListOpen:function(){return e((0,v.backupsListOpen)(n))},backupsModalOpen:function(){return e((0,v.backupsModalOpen)(n))},backupsModalClose:function(){return e((0,v.backupsModalClose)(n))},downloadArchive:function(t){return e((0,v.downloadArchive)(n,t))},backupDetailsStart:function(t){return e((0,v.backupDetailsStart)(n,t))},submit:function(t){return e((0,_.submit)(n,r,t))},submitOpen:function(){return e((0,_.submitOpen)(n))},submitClear:function(){return e((0,_.submitClear)(n))},refreshOpen:function(){return e((0,g.refreshOpen)(n))},refreshClose:function(){return e((0,g.refreshClose)(n))},resetOpen:function(){return e((0,b.resetOpen)(n))},resetClear:function(){return e((0,b.resetClear)(n))},gpuModalClose:function(){return e((0,m.gpuModalClose)(n))},toggleGPUOpen:function(){return e((0,m.toggleGPUOpen)(n))},conflictingGPUOpen:function(){return e((0,m.conflictingGPUOpen)(n))},requestTimeOpen:function(){return e((0,m.requestTimeOpen)(n))},conflictingGPUSubmit:function(){return e((0,m.conflictingGPUSubmit)(n))},enableGPUSubmit:function(t,r){return e((0,m.enableGPUSubmit)(n,t,r))},disableGPUSubmit:function(t){return e((0,m.disableGPUSubmit)(n,t))},refresh:function(t){return e((0,g.refresh)(n,t))},reset:function(t){return e((0,b.reset)(n,t))},grade:function(){return e((0,T.grade)(n))}}})(o=e(S.default,{allowMultiple:!0})((a=i=function(e){function t(){var e,n,r;M(this,t);for(var o=arguments.length,i=Array(o),a=0;a<o;a++)i[a]=arguments[a];return n=r=D(this,(e=t.__proto__||Object.getPrototypeOf(t)).call.apply(e,[this].concat(i))),r.handleReviewClick=function(e){r.props.trackReview&&r.props.trackReview(),r.props.onGoToReview(e)},D(r,n)}return A(t,p.default.Component),c(t,[{key:"_renderStatusModal",value:function(){var e=this.props,t=e.parent,n=e.scopedState,r=e.onReconnect;return t&&n?n.connected&&!1!==this.props.starConnected?null:p.default.createElement(w.default,{parent:t,onReconnect:r}):null}},{key:"_renderLeaveButton",value:function(){var e=this.props,t=e.allowSubmit,n=e.onNext,r=e.onGoToReview,o=e.allowGrade,i=e.isFullScreenActive,a=e.submitOpen,s=e.leave;return s||(o?null:t?p.default.createElement(f.Button,{type:"secondary",onClick:a},"Submit Project"):r?p.default.createElement(f.Button,{type:"primary",styleName:"review-button",onClick:this.handleReviewClick},"Review"):n&&i?p.default.createElement(f.Button,{type:"secondary",onClick:n},"Next"):null)}},{key:"render",value:function(){var e=this,t=this.props,n=t.scopedState,o=void 0===n?{}:n,i=t.onToggleFillsMonitorScreen,a=t.isFullScreenActive,s=t.parentNode,c=t.masterFilesUpdated,u=o.gpu,d=void 0===u?{}:u,m=o.backups,b=void 0===m?{}:m,g=o.refresh,_=void 0===g?{}:g,w=o.reset,T=void 0===w?{}:w,S=o.submit,P=void 0===S?{}:S,M=a||this.props.renderCorners?"":"inline-attached",D=s||document.querySelector("body"),A=r.get(this,"props.scopedState.grade.isSocketReady",!1);return p.default.createElement("div",{ref:function(t){return e.root=t},"data-test":"control-bar",styleName:"control-bar "+M},p.default.createElement("div",{styleName:"menu-left"},p.default.createElement("div",{styleName:"left-group"},p.default.createElement("div",{styleName:"left-group-upper"},p.default.createElement(f.Tooltip,{overlay:p.default.createElement(x.default,{allowBackups:this.props.allowBackups,refreshOpen:this.props.refreshOpen,resetOpen:this.props.resetOpen,backupsModalOpen:this.props.backupsModalOpen,isMasterFilesUpdated:!!this.props.masterFilesUpdated}),trigger:["hover"],align:{offset:[60,0]},placement:"top",getTooltipContainer:function(){return s},overlayClassName:"workspace-menu-tooltip"},p.default.createElement("div",{styleName:"tooltip-container"},p.default.createElement("span",{styleName:"up-arrow"},p.default.createElement(k.default,{glyph:"arrow-up-md"})),p.default.createElement("span",{"data-test":"menu",styleName:"menu-text"},"Menu"))),p.default.createElement("div",{styleName:"alertNotification"},c&&p.default.createElement(y.default,null)),i?p.default.createElement("div",{styleName:"fullscreen-controls",onClick:i},p.default.createElement(k.default,{styleName:"expand-fullscreen",glyph:a?"shrink-screen":"full-screen",text:"full screen"}),p.default.createElement("p",{styleName:"fullscreen-text"},a?"Shrink":"Expand")):null),p.default.createElement("div",{styleName:"left-group-lower"},p.default.createElement(v.BakupStatus,b))),this.props.gpuCapable?p.default.createElement(L,{secondsRemaining:this.props.gpuSecondsRemaining,isRunning:this.props.isGPURunning,toggleGPUOpen:this.props.toggleGPUOpen,gpuConflictWith:this.props.gpuConflictWith,conflictingGPUOpen:this.props.conflictingGPUOpen,requestTimeOpen:this.props.requestTimeOpen}):null),p.default.createElement("div",{styleName:"menu-right"},this._renderStatusModal(),p.default.createElement("div",{styleName:"action-button"},this.props.actionButton),p.default.createElement("div",{styleName:"finish-button"},this._renderLeaveButton()),this.props.allowGrade&&A?p.default.createElement("div",{styleName:"action-button","data-test":"run-button"},p.default.createElement(f.Button,{onClick:function(){return e.props.grade()}},"Run Code")):null),this.props.allowSubmit?p.default.createElement(O.default,{submitState:P.submitState,error:P.error,onSubmit:function(t){return e.props.submit(t)},close:function(){return e.props.submitClear()},onGoToLessons:this.props.onGoToLessons,parentNode:D}):null,p.default.createElement(E.default,{resetState:T.resetState,error:T.error,onReset:function(){return e.props.reset(e.props.onResetFiles)},close:function(){return e.props.resetClear()},parentNode:D,isOutdated:!!this.props.masterFilesUpdated}),p.default.createElement(C.default,{refreshState:_.refreshState,onRefresh:function(){return e.props.refresh(e.props.onReconnect)},close:function(){return e.props.refreshClose()},parentNode:D}),this.props.allowBackups?p.default.createElement(v.BackupsModal,l({backupDetailsStart:this.props.backupDetailsStart,backupsListOpen:this.props.backupsListOpen,close:function(){return e.props.backupsModalClose()},downloadArchive:this.props.downloadArchive,hasFilesPanel:this.props.hasFilesPanel,parentNode:D,linkToTerminal:this.props.linkToTerminal},b)):null,p.default.createElement(h.ToggleGPUModal,{isRunning:this.props.isGPURunning,modalState:d.modalState,close:function(){return e.props.gpuModalClose()},enableGPUSubmit:this.props.enableGPUSubmit,disableGPUSubmit:this.props.disableGPUSubmit,parentNode:D}),p.default.createElement(h.ConflictGPUModal,{modalState:d.modalState,close:function(){return e.props.gpuModalClose()},gpuConflictWith:this.props.gpuConflictWith,conflictingGPUSubmit:this.props.conflictingGPUSubmit,parentNode:D}),p.default.createElement(h.RequestTimeModal,{modalState:d.modalState,close:function(){return e.props.gpuModalClose()},parentNode:D}))}}]),t}(),i.propTypes={starConnected:u.default.bool},o=a))||o)||o;t.default=R;var L=t.GPUMeter=e(S.default,{allowMultiple:!0})(s=function(e){function t(){var e,n,r;M(this,t);for(var o=arguments.length,i=Array(o),a=0;a<o;a++)i[a]=arguments[a];return n=r=D(this,(e=t.__proto__||Object.getPrototypeOf(t)).call.apply(e,[this].concat(i))),r.estimateTimeRemaining=function(e){var t=Math.round(e/60),n=t%60;return{hrs:Math.floor(t/60),mins:Math.round(1*n)}},r.handleChange=function(e){e?r.props.conflictingGPUOpen():r.props.toggleGPUOpen()},r.handleRequestTime=function(){r.props.requestTimeOpen()},D(r,n)}return A(t,p.default.Component),c(t,[{key:"render",value:function(){var e=this,t=this.props,n=t.isRunning,r=t.secondsRemaining,o=t.gpuConflictWith,i=this.estimateTimeRemaining(r),a=i.hrs,s=i.mins,l=o?"conflict":n?"running":"inactive",c=0===a&&s<=30?"numbers--warn":"";return p.default.createElement("div",{styleName:"gpu-meter"},p.default.createElement("div",{styleName:"gpu-meter--label "+l},p.default.createElement("span",{styleName:"dot"},"•"),p.default.createElement("span",null,"GPU")),r?p.default.createElement("div",{styleName:"gpu-meter--controls"},p.default.createElement("div",{styleName:"gpu-meter--time"},p.default.createElement("span",{styleName:"numbers"},a),p.default.createElement("span",{styleName:"text"},"HR"),p.default.createElement("span",{styleName:"numbers "+c},s),p.default.createElement("span",{styleName:"text"},"MIN")),p.default.createElement("div",{styleName:"gpu-meter--button",onClick:function(){return e.handleChange(o)}},n?"DISABLE":"ENABLE")):p.default.createElement("div",{styleName:"gpu-meter--button",onClick:function(){return e.handleRequestTime()}},"REQUEST MORE TIME"))}}]),t}())||s}).call(this,n(5),n(4))},1664:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.initialState=t.TOGGLE=t.INITIALIZE=t.ERROR=t.UPDATE=t.GRADE=void 0;var r,o=function(){function e(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}return function(t,n,r){return n&&e(t.prototype,n),r&&e(t,r),t}}(),i=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var n=arguments[t];for(var r in n)Object.prototype.hasOwnProperty.call(n,r)&&(e[r]=n[r])}return e};t.grade=function(e){return{type:m,scope:e}},t.update=x,t.error=k,t.initialize=C,t.toggle=function(e){return{type:v,scope:e}},t.saga=T;var a,s=n(137),l=n(1749),c=(a=l)&&a.__esModule?a:{default:a},u=n(1635);var p=regeneratorRuntime.mark(T),d=regeneratorRuntime.mark(S),f=regeneratorRuntime.mark(P);function h(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}var m=t.GRADE="udacity/workspace/grade",b=t.UPDATE="udacity/workspace/grade/update",g=t.ERROR="udacity/workspace/grade/error",_=t.INITIALIZE="udacity/workspace/grade/initialize",v=t.TOGGLE="udacity/workspace/labs/toggle",y=t.initialState={isOpen:!1,type:"idle",isSocketReady:!1},w=(0,u.createReducer)(y,(h(r={},m,function(e){return i({},e,{isOpen:!0,type:"initializing",summary:{total:null,passes:null,pending:null,failures:null,suites:null,results:[]}})}),h(r,b,function(e,t){var n=t.state,r=n.type,o=n.summary;return i({},e,{type:r,summary:o})}),h(r,g,function(e,t){var n=t.code,r=t.details;return i({},e,{type:"error",code:n,details:r})}),h(r,_,function(e){return i({},e,{type:"idle",isSocketReady:!0})}),h(r,v,function(e){return i({},e,{isOpen:!e.isOpen})}),r));function x(e,t){return{type:b,scope:e,state:t}}function k(e,t){var n=t.code,r=t.details;return{type:g,scope:e,code:n,details:r}}function C(e){return{type:_,scope:e}}t.default=w;var E=function(){function e(t,n,r){var o=arguments.length>3&&void 0!==arguments[3]?arguments[3]:{};!function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}(this,e),this.socket=t,this.eventsFactory=n,this.scope=r,this.lab=o,this.socketStream=t.listenChannel()}return o(e,[{key:"listen",value:regeneratorRuntime.mark(function e(){var t,n,r;return regeneratorRuntime.wrap(function(e){for(;;)switch(e.prev=e.next){case 0:return e.prev=0,e.next=3,(0,s.put)(C(this.scope));case 3:return e.t0=s.race,e.t1=s.call,e.t2=S,e.next=9,(0,s.call)(this.eventsFactory);case 9:return e.t3=e.sent,e.t4=(0,e.t1)(e.t2,e.t3),e.t5=(0,s.take)(this.socketStream),e.t6={restart:e.t4,message:e.t5},e.next=15,(0,e.t0)(e.t6);case 15:if(t=e.sent,n=t.restart,r=t.message,!n){e.next=23;break}return e.next=21,(0,s.call)(this.restart.bind(this));case 21:e.next=26;break;case 23:if(!r){e.next=26;break}return e.next=26,(0,s.call)(this.handleMessage.bind(this),r);case 26:e.next=3;break;case 28:return e.prev=28,e.next=31,(0,s.cancelled)();case 31:if(!e.sent){e.next=33;break}this.socket.close();case 33:return e.finish(28);case 34:case"end":return e.stop()}},e,this,[[0,,28,34]])})},{key:"restart",value:regeneratorRuntime.mark(function e(){return regeneratorRuntime.wrap(function(e){for(;;)switch(e.prev=e.next){case 0:return e.next=2,(0,s.call)(this.socket.send.bind(this.socket),{type:"grade"});case 2:case"end":return e.stop()}},e,this)})},{key:"handleMessage",value:regeneratorRuntime.mark(function e(t){var n,r,o,i,a;return regeneratorRuntime.wrap(function(e){for(;;)switch(e.prev=e.next){case 0:if("update"!==t.type){e.next=13;break}if(n=(t||{}).state,o=(r=n||{}).type,i=r.summary,"idle"===o){e.next=6;break}return e.next=6,(0,s.put)(x(this.scope,n));case 6:if("finished"!==o){e.next=11;break}if(!(a=O(i))||!this.lab.onGrade){e.next=11;break}return e.next=11,(0,s.call)(this.lab.onGrade,a,i);case 11:e.next=25;break;case 13:if("error"!==t.type){e.next=18;break}return e.next=16,(0,s.put)(k(this.scope,t));case 16:e.next=25;break;case 18:if("lab-complete"!==t.type){e.next=25;break}if(!this.lab.onGrade){e.next=24;break}return e.next=22,(0,s.call)(this.lab.onGrade,c.default.GRADED);case 22:e.next=25;break;case 24:console.warn("Lab successfully completed, but no callback method available.");case 25:case"end":return e.stop()}},e,this)})}]),e}();function O(e){var t=(e||{}).failures;return t>0?c.default.FAILED:0===t?c.default.PASSED:null}function T(e){var t,n,r=e.scope,o=e.eventsFactory,i=e.lab;return regeneratorRuntime.wrap(function(e){for(;;)switch(e.prev=e.next){case 0:return e.next=2,(0,s.call)(i.onConnect);case 2:return t=e.sent,n=new E(t,o,r,i),e.next=6,(0,s.call)(n.listen.bind(n));case 6:case"end":return e.stop()}},p,this)}function S(e){return regeneratorRuntime.wrap(function(t){for(;;)switch(t.prev=t.next){case 0:return t.next=2,(0,s.call)(P,e,function(e){return e.type===m});case 2:return t.abrupt("return",t.sent);case 3:case"end":return t.stop()}},d,this)}function P(e,t){var n;return regeneratorRuntime.wrap(function(r){for(;;)switch(r.prev=r.next){case 0:return r.next=3,(0,s.take)(e);case 3:if(n=r.sent,!t(n)){r.next=6;break}return r.abrupt("return",n);case 6:r.next=0;break;case 8:case"end":return r.stop()}},f,this)}},1665:function(e,t,n){"use strict";(function(e,r,o){Object.defineProperty(t,"__esModule",{value:!0}),t.default=t.DiskConfigurator=void 0;var i,a,s,l,c=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var n=arguments[t];for(var r in n)Object.prototype.hasOwnProperty.call(n,r)&&(e[r]=n[r])}return e},u=function(){function e(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}return function(t,n,r){return n&&e(t.prototype,n),r&&e(t,r),t}}(),p=_(n(3152)),d=_(n(0)),f=n(33),h=_(n(196)),m=_(n(1638)),b=_(n(3154)),g=n(1718);function _(e){return e&&e.__esModule?e:{default:e}}function v(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function y(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}function w(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}var x="Classroom will take 10 min to add the new disk.",k="The atom must be saved before mounting a disk.",C=e(b.default)(i=function(e){function t(){return v(this,t),y(this,(t.__proto__||Object.getPrototypeOf(t)).apply(this,arguments))}return w(t,r.Component),u(t,[{key:"render",value:function(){var e=this.props,t=e.path,n=e.isValid,o=e.onChange,i=t.src,a=t.dest;return r.createElement("li",{styleName:n?"mapping":"mapping-invalid"},r.createElement("div",{styleName:"src"},r.createElement("label",{styleName:""},"src:"),r.createElement(f.TextInput,{styleName:"path",value:i,onChange:function(e){return o({src:e.target.value,dest:a})}})),r.createElement("div",{styleName:"dest"},r.createElement("label",{styleName:""},"dest:"),r.createElement(f.TextInput,{styleName:"path",value:a,onChange:function(e){return o({src:i,dest:e.target.value})}})),r.createElement(f.Button,{styleName:"remove-button",type:"minimal",size:"small",onClick:this.props.onRemove},r.createElement(h.default,{glyph:"close-sm"})))}}]),t}())||i;var E=function(){function e(t){v(this,e),t=t||{},this.src=t.src||"/",this.dest=t.dest||"/data/"}return u(e,null,[{key:"ids",value:function(){return(arguments.length>0&&void 0!==arguments[0]?arguments[0]:[]).map(function(e){return e.id})}}]),u(e,[{key:"isValid",value:function(){return"/"===this.src[0]&&"/"===this.dest[0]}},{key:"export",value:function(){return{src:this.src,dest:this.dest}}},{key:"id",get:function(){return"["+this.src+"]["+this.dest+"]"}}]),e}(),O=t.DiskConfigurator=e(b.default)((l=s=function(e){function t(e){v(this,t);var n=y(this,(t.__proto__||Object.getPrototypeOf(t)).call(this,e));n.getDiskOptions=function(){return n.props.getDisks().then(function(e){return{options:e.disks.map(function(e){var t=e.name,n=e.diskId;return{label:n+" - "+t,value:{diskId:n,name:t}}})}})},n.handleMountFiles=function(){n.props.mountFiles({diskId:n.state.id,paths:n.state.paths}).then(function(){n.showNotice({minutes:10,message:x})}).catch(function(e){if(!(0,g.isUnsavedAtomError)(e))throw e;n.showNotice({minutes:2,message:k})})},n.updatePaths=function(e){var t=!0,r=[],o=[];e.forEach(function(e){e.isValid()||(t=!1),r.includes(e.id)&&(t=!1),r.push(e.id),o.push(e.export())}),n.setState({paths:e,allValid:t}),n.state.id?t&&n.updateConf({id:n.state.id,paths:o}):n.updateConf(null)},n.updateConf=o.debounce(n.props.onChange,1e3),n.handleAddPath=function(){n.updatePaths([].concat(function(e){if(Array.isArray(e)){for(var t=0,n=Array(e.length);t<e.length;t++)n[t]=e[t];return n}return Array.from(e)}(n.state.paths),[new E]))},n.handleChangePath=function(e){return function(t){var r=n.state.paths.map(function(n,r){return r===e?new E(t):n});n.updatePaths(r)}},n.handleRemovePath=function(e){return function(){var t=n.state.paths.filter(function(t,n){return n!==e});n.updatePaths(t)}};var r=t.newDisk(n.props.disk);return n.state=c({},r,{allValid:!0,warningMsg:"",warnUntil:0}),n}return w(t,r.Component),u(t,null,[{key:"newDisk",value:function(e){return e?e.paths.reduce(function(e,t){return e.paths.push(new E(t)),e},{id:e.id,paths:[]}):{id:""}}}]),u(t,[{key:"showNotice",value:function(e){var t=e.minutes,n=void 0===t?1:t,r=e.message,o=60*n*1e3;this.setState({warnUntil:Date.now()+o,warningMsg:r})}},{key:"onChangeDisk",value:function(e){this.setState({id:e.diskId});var t=this.state.paths||[new E];this.updatePaths(t)}},{key:"render",value:function(){var e=this,n=this.state,o=n.id,i=n.paths;return r.createElement("div",null,r.createElement("div",{styleName:"disk-selector"},r.createElement(m.default.Async,{name:"attach-disks",clearable:!1,searchable:!1,simpleValue:!0,value:{label:o,value:o},loadOptions:this.getDiskOptions,onChange:function(t){return e.onChangeDisk(t)}})),o?r.createElement("div",null,r.createElement("div",{styleName:"instructions"},r.createElement("div",{styleName:"instruction"},"Source is path to your data on the selected disk."),r.createElement("div",{styleName:"instruction"},"Dest is path in workspace. ",r.createElement("code",null,"/data/")," is recommended.")),r.createElement("ul",{styleName:"controls"},i.map(function(t,n){return r.createElement(C,{key:n,path:t.export(),isValid:t.isValid()&&(o=t.id,a=E.ids(i),a.length<2||!(a.filter(function(e){return e===o}).length>1)),onChange:e.handleChangePath(n),onRemove:e.handleRemovePath(n)});var o,a})),r.createElement("div",{styleName:"actions"},r.createElement("div",{styleName:"action"},r.createElement(f.Button,{styleName:"mount",size:"small",label:"ADD",onClick:this.handleAddPath,disabled:this.state.paths.length>=t.MAX_PATHS})),r.createElement("div",{styleName:"action"},r.createElement(f.Button,{styleName:"mount",size:"small",label:"MOUNT",disabled:!this.state.allValid,onClick:this.handleMountFiles})),this.state.warnUntil>Date.now()?r.createElement("div",{styleName:"action-notice"},r.createElement("span",{styleName:"warning"},this.state.warningMsg)):null)):null)}}]),t}(),s.propTypes={onChange:d.default.func,disk:d.default.shape({id:d.default.string,paths:d.default.arrayOf(d.default.shape({src:d.default.string,dest:d.default.string}))}),getDisks:d.default.func,mountFiles:d.default.func},s.MAX_PATHS=4,a=l))||a,T=function(e){function t(){return v(this,t),y(this,(t.__proto__||Object.getPrototypeOf(t)).apply(this,arguments))}return w(t,r.Component),u(t,[{key:"render",value:function(){var e=this;return r.createElement(p.default,{label:"Attach a disk",startsOpen:!!this.props.disk,onHide:function(){return e.props.onChange(null)}},r.createElement(O,this.props))}}]),t}();t.default=T}).call(this,n(5),n(1),n(4))},1675:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.bootstrapHotkeys=t.bootstrap=t.Server=t.Socket=t.PanelManager=t.components=void 0,n(2954),n(2961),n(2963),n(2965);var r=n(2969),o=d(r),i=d(n(2971)),a=d(n(1992)),s=d(n(1760)),l=d(n(2972)),c=d(n(2e3)),u=d(n(3049)),p=d(n(3097));function d(e){return e&&e.__esModule?e:{default:e}}window.jQuery=n(123),n(3102),n(3104),n(3106),n(3108),n(3110),n(3112),n(3114),n(3116),n(3118),n(3120);var f=s.default.bootstrapModals,h={Editor:l.default,Files:c.default,Layout:p.default,Terminal:u.default};t.components=h,t.PanelManager=i.default,t.Socket=r.Socket,t.Server=o.default,t.bootstrap=function(){f()},t.bootstrapHotkeys=function(e){a.default.registerHotkeys(e)}},1676:function(e,t,n){for(var r=n(2970),o=[],i={},a=0;a<256;a++)o[a]=(a+256).toString(16).substr(1),i[o[a]]=a;function s(e,t){var n=t||0,r=o;return r[e[n++]]+r[e[n++]]+r[e[n++]]+r[e[n++]]+"-"+r[e[n++]]+r[e[n++]]+"-"+r[e[n++]]+r[e[n++]]+"-"+r[e[n++]]+r[e[n++]]+"-"+r[e[n++]]+r[e[n++]]+r[e[n++]]+r[e[n++]]+r[e[n++]]+r[e[n++]]}var l=r(),c=[1|l[0],l[1],l[2],l[3],l[4],l[5]],u=16383&(l[6]<<8|l[7]),p=0,d=0;function f(e,t,n){var o=t&&n||0;"string"==typeof e&&(t="binary"==e?new Array(16):null,e=null);var i=(e=e||{}).random||(e.rng||r)();if(i[6]=15&i[6]|64,i[8]=63&i[8]|128,t)for(var a=0;a<16;a++)t[o+a]=i[a];return t||s(i)}var h=f;h.v1=function(e,t,n){var r=t&&n||0,o=t||[],i=void 0!==(e=e||{}).clockseq?e.clockseq:u,a=void 0!==e.msecs?e.msecs:(new Date).getTime(),l=void 0!==e.nsecs?e.nsecs:d+1,f=a-p+(l-d)/1e4;if(f<0&&void 0===e.clockseq&&(i=i+1&16383),(f<0||a>p)&&void 0===e.nsecs&&(l=0),l>=1e4)throw new Error("uuid.v1(): Can't create more than 10M uuids/sec");p=a,d=l,u=i;var h=(1e4*(268435455&(a+=122192928e5))+l)%4294967296;o[r++]=h>>>24&255,o[r++]=h>>>16&255,o[r++]=h>>>8&255,o[r++]=255&h;var m=a/4294967296*1e4&268435455;o[r++]=m>>>8&255,o[r++]=255&m,o[r++]=m>>>24&15|16,o[r++]=m>>>16&255,o[r++]=i>>>8|128,o[r++]=255&i;for(var b=e.node||c,g=0;g<6;g++)o[r+g]=b[g];return t||s(o)},h.v4=f,h.parse=function(e,t,n){var r=t&&n||0,o=0;for(t=t||[],e.toLowerCase().replace(/[0-9a-f]{2}/g,function(e){o<16&&(t[r+o++]=i[e])});o<16;)t[r+o++]=0;return t},h.unparse=s,e.exports=h},1677:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var n=arguments[t];for(var r in n)Object.prototype.hasOwnProperty.call(n,r)&&(e[r]=n[r])}return e};t.default=function(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};return(t.type||"").startsWith(o)?r({},e,function(e,t,n){t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n;return e}({},t.connectionId,function(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};switch(t.type){case i:return r({},e,{isConnected:!0,isTimedOut:!1,downTimestamp:void 0});case a:return r({},e,!1!==e.isConnected?{downTimestamp:t.timestamp}:{},{isConnected:!1});case s:return r({},e,!1===e.isConnected&&e.downTimestamp===t.timestamp?{isTimedOut:!0}:{});default:return e}}(e[t.connectionId],t))):e};var o="connection/",i=o+"up",a=o+"down",s=o+"timeout-alarm";t.connectionUp=function(e){return{type:i,connectionId:e}};var l=t.connectionDown=function(e,t){return{type:a,connectionId:e,timestamp:t}},c=t.connectionTimeoutAlarm=function(e,t){return{type:s,connectionId:e,timestamp:t}},u=(t.dispatchConnectionDownActions=function(e,t,n){e(l(t,n)),setTimeout(function(){return e(c(t,n))},12e4)},function(e){return!0===e.isConnected}),p=function(e){return!0===e.isTimedOut};t.getAreAllConnected=function(e){return Object.values(e).every(u)},t.getAreAnyTimedOut=function(e){return Object.values(e).some(p)}},1678:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=function(){function e(){this._disposables=[],this._isDisposed=!1}return e.prototype.dispose=function(){this._isDisposed=!0,this._disposables.forEach(function(e){return e.dispose()}),this._disposables.length=0},e.prototype.register=function(e){this._disposables.push(e)},e.prototype.unregister=function(e){var t=this._disposables.indexOf(e);-1!==t&&this._disposables.splice(t,1)},e}();t.Disposable=r},1679:function(e,t,n){"use strict";var r;Object.defineProperty(t,"__esModule",{value:!0}),t.resetComplete=t.resetClear=t.resetOpen=t.initialState=t.RESET_CLEAR=t.RESET_ERROR=t.RESET_COMPLETE=t.RESET_OPEN=t.RESET=void 0,t.reset=function(e,t){return{type:h,scope:e,doReset:t}},t.resetError=k,t.saga=C;var o=n(137),i=n(1635),a=regeneratorRuntime.mark(C),s=regeneratorRuntime.mark(E);function l(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}var c="closed",u="waiting",p="complete",d="inProgress",f="error",h=t.RESET="udacity/workspace/reset",m=t.RESET_OPEN=h+"/open",b=t.RESET_COMPLETE=h+"/complete",g=t.RESET_ERROR=h+"/error",_=t.RESET_CLEAR=h+"/clear",v=t.initialState={resetState:c,error:null},y=(0,i.createReducer)(v,(l(r={},h,function(){return{resetState:d,error:!1}}),l(r,m,function(){return{resetState:u,error:!1}}),l(r,b,function(){return{resetState:p,error:!1}}),l(r,g,function(e,t){var n=t.error;return{resetState:f,error:n}}),l(r,_,function(){return{resetState:c,error:!1}}),r));function w(e){return function(t){return{scope:t,type:e}}}t.default=y;t.resetOpen=w(m),t.resetClear=w(_);var x=t.resetComplete=w(b);function k(e,t){return{type:g,scope:e,error:t}}function C(e){var t,n=e.events,r=e.scope;return regeneratorRuntime.wrap(function(e){for(;;)switch(e.prev=e.next){case 0:return e.next=3,(0,o.take)(n);case 3:if((t=e.sent).type!==h){e.next=7;break}return e.next=7,(0,o.call)(E,t,r);case 7:e.next=0;break;case 9:case"end":return e.stop()}},a,this)}function E(e,t){var n=e.doReset;return regeneratorRuntime.wrap(function(e){for(;;)switch(e.prev=e.next){case 0:return e.prev=0,e.next=3,(0,o.call)(n);case 3:return e.next=5,(0,o.put)(x(t));case 5:e.next=11;break;case 7:return e.prev=7,e.t0=e.catch(0),e.next=11,(0,o.put)(k(t,e.t0));case 11:case"end":return e.stop()}},s,this,[[0,7]])}},1691:function(e,t,n){var r,o,i;e.exports=(r=n(1628),i=(o=r).lib.WordArray,o.enc.Base64={stringify:function(e){var t=e.words,n=e.sigBytes,r=this._map;e.clamp();for(var o=[],i=0;i<n;i+=3)for(var a=(t[i>>>2]>>>24-i%4*8&255)<<16|(t[i+1>>>2]>>>24-(i+1)%4*8&255)<<8|t[i+2>>>2]>>>24-(i+2)%4*8&255,s=0;s<4&&i+.75*s<n;s++)o.push(r.charAt(a>>>6*(3-s)&63));var l=r.charAt(64);if(l)for(;o.length%4;)o.push(l);return o.join("")},parse:function(e){var t=e.length,n=this._map,r=this._reverseMap;if(!r){r=this._reverseMap=[];for(var o=0;o<n.length;o++)r[n.charCodeAt(o)]=o}var a=n.charAt(64);if(a){var s=e.indexOf(a);-1!==s&&(t=s)}return function(e,t,n){for(var r=[],o=0,a=0;a<t;a++)if(a%4){var s=n[e.charCodeAt(a-1)]<<a%4*2,l=n[e.charCodeAt(a)]>>>6-a%4*2;r[o>>>2]|=(s|l)<<24-o%4*8,o++}return i.create(r,o)}(e,t,r)},_map:"ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/="},r.enc.Base64)},1692:function(e,t,n){var r;e.exports=(r=n(1628),function(e){var t=r,n=t.lib,o=n.WordArray,i=n.Hasher,a=t.algo,s=[];!function(){for(var t=0;t<64;t++)s[t]=4294967296*e.abs(e.sin(t+1))|0}();var l=a.MD5=i.extend({_doReset:function(){this._hash=new o.init([1732584193,4023233417,2562383102,271733878])},_doProcessBlock:function(e,t){for(var n=0;n<16;n++){var r=t+n,o=e[r];e[r]=16711935&(o<<8|o>>>24)|4278255360&(o<<24|o>>>8)}var i=this._hash.words,a=e[t+0],l=e[t+1],f=e[t+2],h=e[t+3],m=e[t+4],b=e[t+5],g=e[t+6],_=e[t+7],v=e[t+8],y=e[t+9],w=e[t+10],x=e[t+11],k=e[t+12],C=e[t+13],E=e[t+14],O=e[t+15],T=i[0],S=i[1],P=i[2],M=i[3];T=c(T,S,P,M,a,7,s[0]),M=c(M,T,S,P,l,12,s[1]),P=c(P,M,T,S,f,17,s[2]),S=c(S,P,M,T,h,22,s[3]),T=c(T,S,P,M,m,7,s[4]),M=c(M,T,S,P,b,12,s[5]),P=c(P,M,T,S,g,17,s[6]),S=c(S,P,M,T,_,22,s[7]),T=c(T,S,P,M,v,7,s[8]),M=c(M,T,S,P,y,12,s[9]),P=c(P,M,T,S,w,17,s[10]),S=c(S,P,M,T,x,22,s[11]),T=c(T,S,P,M,k,7,s[12]),M=c(M,T,S,P,C,12,s[13]),P=c(P,M,T,S,E,17,s[14]),T=u(T,S=c(S,P,M,T,O,22,s[15]),P,M,l,5,s[16]),M=u(M,T,S,P,g,9,s[17]),P=u(P,M,T,S,x,14,s[18]),S=u(S,P,M,T,a,20,s[19]),T=u(T,S,P,M,b,5,s[20]),M=u(M,T,S,P,w,9,s[21]),P=u(P,M,T,S,O,14,s[22]),S=u(S,P,M,T,m,20,s[23]),T=u(T,S,P,M,y,5,s[24]),M=u(M,T,S,P,E,9,s[25]),P=u(P,M,T,S,h,14,s[26]),S=u(S,P,M,T,v,20,s[27]),T=u(T,S,P,M,C,5,s[28]),M=u(M,T,S,P,f,9,s[29]),P=u(P,M,T,S,_,14,s[30]),T=p(T,S=u(S,P,M,T,k,20,s[31]),P,M,b,4,s[32]),M=p(M,T,S,P,v,11,s[33]),P=p(P,M,T,S,x,16,s[34]),S=p(S,P,M,T,E,23,s[35]),T=p(T,S,P,M,l,4,s[36]),M=p(M,T,S,P,m,11,s[37]),P=p(P,M,T,S,_,16,s[38]),S=p(S,P,M,T,w,23,s[39]),T=p(T,S,P,M,C,4,s[40]),M=p(M,T,S,P,a,11,s[41]),P=p(P,M,T,S,h,16,s[42]),S=p(S,P,M,T,g,23,s[43]),T=p(T,S,P,M,y,4,s[44]),M=p(M,T,S,P,k,11,s[45]),P=p(P,M,T,S,O,16,s[46]),T=d(T,S=p(S,P,M,T,f,23,s[47]),P,M,a,6,s[48]),M=d(M,T,S,P,_,10,s[49]),P=d(P,M,T,S,E,15,s[50]),S=d(S,P,M,T,b,21,s[51]),T=d(T,S,P,M,k,6,s[52]),M=d(M,T,S,P,h,10,s[53]),P=d(P,M,T,S,w,15,s[54]),S=d(S,P,M,T,l,21,s[55]),T=d(T,S,P,M,v,6,s[56]),M=d(M,T,S,P,O,10,s[57]),P=d(P,M,T,S,g,15,s[58]),S=d(S,P,M,T,C,21,s[59]),T=d(T,S,P,M,m,6,s[60]),M=d(M,T,S,P,x,10,s[61]),P=d(P,M,T,S,f,15,s[62]),S=d(S,P,M,T,y,21,s[63]),i[0]=i[0]+T|0,i[1]=i[1]+S|0,i[2]=i[2]+P|0,i[3]=i[3]+M|0},_doFinalize:function(){var t=this._data,n=t.words,r=8*this._nDataBytes,o=8*t.sigBytes;n[o>>>5]|=128<<24-o%32;var i=e.floor(r/4294967296),a=r;n[15+(o+64>>>9<<4)]=16711935&(i<<8|i>>>24)|4278255360&(i<<24|i>>>8),n[14+(o+64>>>9<<4)]=16711935&(a<<8|a>>>24)|4278255360&(a<<24|a>>>8),t.sigBytes=4*(n.length+1),this._process();for(var s=this._hash,l=s.words,c=0;c<4;c++){var u=l[c];l[c]=16711935&(u<<8|u>>>24)|4278255360&(u<<24|u>>>8)}return s},clone:function(){var e=i.clone.call(this);return e._hash=this._hash.clone(),e}});function c(e,t,n,r,o,i,a){var s=e+(t&n|~t&r)+o+a;return(s<<i|s>>>32-i)+t}function u(e,t,n,r,o,i,a){var s=e+(t&r|n&~r)+o+a;return(s<<i|s>>>32-i)+t}function p(e,t,n,r,o,i,a){var s=e+(t^n^r)+o+a;return(s<<i|s>>>32-i)+t}function d(e,t,n,r,o,i,a){var s=e+(n^(t|~r))+o+a;return(s<<i|s>>>32-i)+t}t.MD5=i._createHelper(l),t.HmacMD5=i._createHmacHelper(l)}(Math),r.MD5)},1693:function(e,t,n){var r,o,i,a,s,l,c,u;e.exports=(r=n(1628),n(1836),n(1837),i=(o=r).lib,a=i.Base,s=i.WordArray,l=o.algo,c=l.MD5,u=l.EvpKDF=a.extend({cfg:a.extend({keySize:4,hasher:c,iterations:1}),init:function(e){this.cfg=this.cfg.extend(e)},compute:function(e,t){for(var n=this.cfg,r=n.hasher.create(),o=s.create(),i=o.words,a=n.keySize,l=n.iterations;i.length<a;){c&&r.update(c);var c=r.update(e).finalize(t);r.reset();for(var u=1;u<l;u++)c=r.finalize(c),r.reset();o.concat(c)}return o.sigBytes=4*a,o}}),o.EvpKDF=function(e,t,n){return u.create(n).compute(e,t)},r.EvpKDF)},1694:function(e,t,n){"use strict";var r;Object.defineProperty(t,"__esModule",{value:!0}),t.initialState=t.SUBMIT_CLEAR=t.SUBMIT_ERROR=t.SUBMIT_COMPLETE=t.SUBMIT_OPEN=t.SUBMIT=void 0,t.submit=function(e,t,n){return{type:h,onSubmit:t,description:n,scope:e}},t.submitComplete=w,t.submitError=x,t.submitClear=function(e){return{type:_,scope:e}},t.submitOpen=function(e){return{type:m,scope:e}},t.saga=k;var o=n(137),i=n(1635);n(1719);var a=regeneratorRuntime.mark(k),s=regeneratorRuntime.mark(C);function l(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}var c="closed",u="waiting",p="complete",d="inProgress",f="error",h=t.SUBMIT="udacity/workspace/submit/submit",m=t.SUBMIT_OPEN=h+"/open",b=t.SUBMIT_COMPLETE=h+"/complete",g=t.SUBMIT_ERROR=h+"/error",_=t.SUBMIT_CLEAR=h+"/clear",v=t.initialState={submitState:c,error:null},y=(0,i.createReducer)(v,(l(r={},h,function(){return{submitState:d,error:!1}}),l(r,m,function(){return{submitState:u,error:!1}}),l(r,b,function(){return{submitState:p,error:!1}}),l(r,g,function(e,t){var n=t.error;return{submitState:f,error:n}}),l(r,_,function(){return{submitState:c,error:!1}}),r));function w(e){return{type:b,scope:e}}function x(e,t){return{type:g,error:t,scope:e}}function k(e){var t,n=e.events,r=e.scope;return regeneratorRuntime.wrap(function(e){for(;;)switch(e.prev=e.next){case 0:return e.next=3,(0,o.take)(n);case 3:if((t=e.sent).type!==h){e.next=7;break}return e.next=7,(0,o.call)(C,{event:t,scope:r});case 7:e.next=0;break;case 9:case"end":return e.stop()}},a,this)}function C(e){var t,n=e.event,r=e.scope;return regeneratorRuntime.wrap(function(e){for(;;)switch(e.prev=e.next){case 0:return e.next=2,(0,o.call)(n.onSubmit,n.description);case 2:if(!(t=e.sent)){e.next=8;break}return e.next=6,(0,o.put)(x(r,"Error when submitting: "+t+"."));case 6:e.next=10;break;case 8:return e.next=10,(0,o.put)(w(r));case 10:case"end":return e.stop()}},s,this)}t.default=y},1695:function(e,t,n){"use strict";var r;Object.defineProperty(t,"__esModule",{value:!0}),t.refreshClose=t.refreshOpen=t.reducer=t.initialState=t.REFRESH_CLOSE=t.REFRESH_OPEN=t.REFRESH=void 0,t.refresh=function(e,t){return{type:p,scope:e,doRefresh:t}},t.saga=b;var o=n(137),i=n(1635),a=regeneratorRuntime.mark(b),s=regeneratorRuntime.mark(g);function l(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}var c="open",u="closed",p=t.REFRESH="udacity/workspace/refresh",d=t.REFRESH_OPEN=p+"/open",f=t.REFRESH_CLOSE=p+"/close",h=t.initialState={refreshState:u};t.reducer=(0,i.createReducer)(h,(l(r={},d,function(){return{refreshState:c}}),l(r,f,function(){return{refreshState:u}}),r));function m(e){return function(t){return{scope:t,type:e}}}t.refreshOpen=m(d),t.refreshClose=m(f);function b(e){var t,n=e.events,r=e.scope;return regeneratorRuntime.wrap(function(e){for(;;)switch(e.prev=e.next){case 0:return e.next=3,(0,o.take)(n);case 3:if((t=e.sent).type!==p){e.next=7;break}return e.next=7,(0,o.call)(g,t,r);case 7:e.next=0;break;case 9:case"end":return e.stop()}},a,this)}function g(e){var t=e.doRefresh;return regeneratorRuntime.wrap(function(e){for(;;)switch(e.prev=e.next){case 0:return e.prev=0,e.next=3,(0,o.call)(t);case 3:e.next=8;break;case 5:e.prev=5,e.t0=e.catch(0),console.error("Error attempting a refresh",e.t0);case 8:case"end":return e.stop()}},s,this,[[0,5]])}},1696:function(e,t,n){"use strict";(function(e){Object.defineProperty(t,"__esModule",{value:!0}),t.initialState=t.POST_MESSAGE=t.IFRAME_READY=void 0;var r=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var n=arguments[t];for(var r in n)Object.prototype.hasOwnProperty.call(n,r)&&(e[r]=n[r])}return e};t.iframeReady=function(e){return{type:v,scope:e}},t.postMessage=function(e,t){var n=t.iframeId,r=t.message,o=t.url;return{type:y,iframeId:n,message:r,scope:e,url:o}},t.saga=T;var o=n(137),i=n(1635),a=n(295),s=n(483),l=n(482),c=regeneratorRuntime.mark(k),u=regeneratorRuntime.mark(C),p=regeneratorRuntime.mark(E),d=regeneratorRuntime.mark(O),f=regeneratorRuntime.mark(T);var h,m,b,g="lab_clicked_grade",_="project_conf",v=t.IFRAME_READY="udacity/workspace/iframe-channel/iframe_ready",y=t.POST_MESSAGE="udacity/workspace/iframe-channel/post_message",w=t.initialState={iframeId:(0,l.shortId)(),iframeReady:!1},x=(0,i.createReducer)(w,(b=function(e){return r({},e,{iframeReady:!0})},(m=v)in(h={})?Object.defineProperty(h,m,{value:b,enumerable:!0,configurable:!0,writable:!0}):h[m]=b,h));function k(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:"";return regeneratorRuntime.wrap(function(t){for(;;)switch(t.prev=t.next){case 0:return t.abrupt("return",(0,a.eventChannel)(function(t){function n(n){n.origin.toLowerCase()===e.toLowerCase()&&t({type:n.data})}return window.addEventListener("message",n),function(){window.removeEventListener("message",n)}}));case 1:case"end":return t.stop()}},c,this)}function C(e,t,n){var r;return regeneratorRuntime.wrap(function(o){for(;;)switch(o.prev=o.next){case 0:(r=document.getElementById(e))&&r.contentWindow.postMessage(t,n);case 2:case"end":return o.stop()}},u,this)}function E(e){var t,n=e.events;return regeneratorRuntime.wrap(function(e){for(;;)switch(e.prev=e.next){case 0:return e.next=3,(0,o.take)(n);case 3:if((t=e.sent).type!==y){e.next=7;break}return e.next=7,(0,o.call)(C,t.iframeId,t.message,t.url);case 7:e.next=0;break;case 9:case"end":return e.stop()}},p,this)}function O(t){var n,r,i,a,l,c,u=t.lab,p=t.originUrl,f=t.selectState,h=t.scope,m=t.project;return regeneratorRuntime.wrap(function(t){for(;;)switch(t.prev=t.next){case 0:return t.next=2,(0,o.call)(k,p);case 2:return n=t.sent,t.next=5,(0,o.select)(function(e){return(0,s.getState)(f(e),h)});case 5:r=t.sent,i=e.get(r,"editor.iframeUrl"),a=e.get(r,"iframeChannel.iframeId"),t.prev=8;case 9:return t.next=12,(0,o.take)(n);case 12:l=t.sent,t.t0=l.type,t.next=t.t0===g?16:t.t0===_?20:24;break;case 16:if(!u||!u.trackGrade){t.next=19;break}return t.next=19,(0,o.call)(u.trackGrade);case 19:return t.abrupt("break",24);case 20:return c=e.get(m,"blueprint.conf"),t.next=23,(0,o.call)(C,a,c,i);case 23:return t.abrupt("break",24);case 24:t.next=9;break;case 26:return t.prev=26,t.next=29,(0,o.cancelled)();case 29:if(!t.sent){t.next=32;break}return t.next=32,(0,o.call)(function(){return n.close()});case 32:return t.finish(26);case 33:case"end":return t.stop()}},d,this,[[8,,26,33]])}function T(e){var t=e.events,n=e.lab,r=e.originUrl,i=e.selectState,a=e.scope,s=e.project;return regeneratorRuntime.wrap(function(e){for(;;)switch(e.prev=e.next){case 0:return e.next=2,(0,o.fork)(O,{lab:n,originUrl:r,selectState:i,scope:a,project:s});case 2:return e.next=4,(0,o.fork)(E,{events:t});case 4:case"end":return e.stop()}},f,this)}t.default=x}).call(this,n(4))},1718:function(e,t,n){"use strict";(function(e){Object.defineProperty(t,"__esModule",{value:!0});var n=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var n=arguments[t];for(var r in n)Object.prototype.hasOwnProperty.call(n,r)&&(e[r]=n[r])}return e};function r(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function o(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}function i(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}t.isWorkspaceError=function(){return(arguments.length>0&&void 0!==arguments[0]?arguments[0]:{}).type===a},t.isUnsavedAtomError=function(){return(arguments.length>0&&void 0!==arguments[0]?arguments[0]:{}).name===x},t.isNetworkError=function(){return(arguments.length>0&&void 0!==arguments[0]?arguments[0]:{}).name===g},t.isBackupInProgressError=function(){return(arguments.length>0&&void 0!==arguments[0]?arguments[0]:{}).name===v},t.isGPUConflictError=function(){return(arguments.length>0&&void 0!==arguments[0]?arguments[0]:{}).name===f},t.isResourceNotFoundError=function(){return(arguments.length>0&&void 0!==arguments[0]?arguments[0]:{}).name===h},t.isInvalidRequest=function(){return(arguments.length>0&&void 0!==arguments[0]?arguments[0]:{}).name===m},t.isMeterError=function(){return(arguments.length>0&&void 0!==arguments[0]?arguments[0]:{}).name===p},t.isRateLimitError=function(){return(arguments.length>0&&void 0!==arguments[0]?arguments[0]:{}).name===l},t.isGPUTimeExpired=function(){return(arguments.length>0&&void 0!==arguments[0]?arguments[0]:{}).name===d},t.isBounceRedirectError=function(){return(arguments.length>0&&void 0!==arguments[0]?arguments[0]:{}).name===u},t.isTooManyStarsError=function(){return(arguments.length>0&&void 0!==arguments[0]?arguments[0]:{}).name===c},t.isEmptyArchivesError=function(){return(arguments.length>0&&void 0!==arguments[0]?arguments[0]:{}).name===y},t.createWorkspaceError=function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},r=t.responseJSON||{errorCode:""},o=r.errorCode;if(t instanceof Error)return t;if("workspace_vm_conflict"===o)return new F(r);if("meter_choice_required"===o)return new A(r);if("no_time_remaining"===o)return new I(r);if("resource_not_found"===o)return new j(r);if("invalid_request"===o)return new N(r);if("rate_limit_reached"===o)return new P(r);if("backup_in_progress"===o)return new O(r);if(0===t.status)return new C(t);if(t.backupError)return new E(r.errorCode?r:t);if(t.unsavedAtom)return new T;if(t.mountFiles)return new S(r,t.mountFiles);if(t.previousStars)return new M(t);if(t.bounce)return new D(t);if(t.provisioningError)return new R(t);if(t.emptyArchives)return new L(t);return new k(r.error||function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},r=void 0;t.star&&(r=e.omit(t.star,["token"]));return n({},t,{star:r})}(t))};var a="WorkspaceError",s="UnrecognizedError",l="RateLimitError",c="TooManyStarsError",u="BounceRedirectError",p="MeterError",d="GPUTimeExpired",f="GPUConflictError",h="ResourceNotFound",m="InvalidRequest",b="ProvisioningError",g="NetworkError",_="BackupError",v="BackupInProgress",y="EmptyArchivesError",w="MountError",x="UnsavedAtomError";var k=t.WorkspaceError=function(e){function t(e){r(this,t);var n=o(this,(t.__proto__||Object.getPrototypeOf(t)).call(this));return n.type=a,n.name=s,n.message="Workspace Services encountered an error. "+("string"==typeof e?e:""),n.timestamp=Date(),n.extraDetails=e instanceof Error?e.toString():e,n}return i(t,Error),t}(),C=function(e){function t(e){r(this,t);var n=o(this,(t.__proto__||Object.getPrototypeOf(t)).call(this,e));return n.name=g,n.message="Network request aborted.",n}return i(t,k),t}(),E=function(e){function t(e){r(this,t);var n=o(this,(t.__proto__||Object.getPrototypeOf(t)).call(this,e));return n.name=_,n.message=e.error,delete n.extraDetails.error,delete n.extraDetails.backupError,n}return i(t,k),t}(),O=function(e){function t(e){r(this,t);var n=o(this,(t.__proto__||Object.getPrototypeOf(t)).call(this,e));return n.name=v,n.message=e.error,n}return i(t,k),t}(),T=function(e){function t(e){r(this,t);var n=o(this,(t.__proto__||Object.getPrototypeOf(t)).call(this,e));return n.name=x,n.message="Please save the atom and then try again.",n}return i(t,k),t}(),S=function(e){function t(e,n){r(this,t);var i=o(this,(t.__proto__||Object.getPrototypeOf(t)).call(this,e));return i.name=w,i.message=e.error,i.files=n,i}return i(t,k),t}(),P=function(e){function t(e){r(this,t);var n=o(this,(t.__proto__||Object.getPrototypeOf(t)).call(this,e));return n.name=l,n.message=e.error,n.waitForSeconds=e.waitFor,n}return i(t,k),t}(),M=function(e){function t(e){r(this,t);var n=o(this,(t.__proto__||Object.getPrototypeOf(t)).call(this,e));return n.name=c,n.message="While polling for a virtual machine, too many machines were offered that did not meet the ready condition.\n These were: "+JSON.stringify(e.previousStars),n}return i(t,k),t}(),D=function(e){function t(e){r(this,t);var n=e.bounce||{},i=n.timeAgo,a=n.dateTime,s=n.url,l=o(this,(t.__proto__||Object.getPrototypeOf(t)).call(this,e));return l.name=u,l.message='Redirecting failed to save a cookie at "'+s+'".\n This is necessary to establish a connection to the remote machine.\n The browser was last redirected '+i+" on "+a,l}return i(t,k),t}(),A=function(e){function t(e){r(this,t);var n=o(this,(t.__proto__||Object.getPrototypeOf(t)).call(this,e));return n.name=p,n.message="You must specify a cpu or gpu enabled workspace.",n}return i(t,k),t}(),R=function(e){function t(e){r(this,t);var n=o(this,(t.__proto__||Object.getPrototypeOf(t)).call(this,e));return n.name=b,n.message="Encountered an error while starting up: "+e.message,n}return i(t,k),t}(),L=function(e){function t(e){r(this,t);var n=o(this,(t.__proto__||Object.getPrototypeOf(t)).call(this,e));return n.name=y,n.message="Empty archives array.",n}return i(t,k),t}(),I=function(e){function t(e){r(this,t);var n=o(this,(t.__proto__||Object.getPrototypeOf(t)).call(this,e));return n.name=d,n.message="Your GPU time has run out.",n}return i(t,k),t}(),F=function(t){function n(t){r(this,n);var i=o(this,(n.__proto__||Object.getPrototypeOf(n)).call(this,t));return i.name=f,i.message=t.error,i.starId=t.starId,i.conflictingStarUrl=e.chain(t).get("conflict.links",[]).find({rel:"conflict"}).get("href").value(),i}return i(n,k),n}(),j=function(e){function t(e){r(this,t);var n=o(this,(t.__proto__||Object.getPrototypeOf(t)).call(this,e));return n.name=h,n.message=e.error,n}return i(t,k),t}(),N=function(e){function t(e){r(this,t);var n=o(this,(t.__proto__||Object.getPrototypeOf(t)).call(this,e));return n.name=m,n.message=e.error,n}return i(t,k),t}()}).call(this,n(4))},1719:function(e,t,n){(function(e){!function(t){"use strict";if(!t.fetch){var n={searchParams:"URLSearchParams"in t,iterable:"Symbol"in t&&"iterator"in Symbol,blob:"FileReader"in t&&"Blob"in t&&function(){try{return new Blob,!0}catch(e){return!1}}(),formData:"FormData"in t,arrayBuffer:"ArrayBuffer"in t};if(n.arrayBuffer)var r=["[object Int8Array]","[object Uint8Array]","[object Uint8ClampedArray]","[object Int16Array]","[object Uint16Array]","[object Int32Array]","[object Uint32Array]","[object Float32Array]","[object Float64Array]"],o=function(e){return e&&DataView.prototype.isPrototypeOf(e)},i=ArrayBuffer.isView||function(e){return e&&r.indexOf(Object.prototype.toString.call(e))>-1};p.prototype.append=function(e,t){e=l(e),t=c(t);var n=this.map[e];this.map[e]=n?n+","+t:t},p.prototype.delete=function(e){delete this.map[l(e)]},p.prototype.get=function(e){return e=l(e),this.has(e)?this.map[e]:null},p.prototype.has=function(e){return this.map.hasOwnProperty(l(e))},p.prototype.set=function(e,t){this.map[l(e)]=c(t)},p.prototype.forEach=function(e,t){for(var n in this.map)this.map.hasOwnProperty(n)&&e.call(t,this.map[n],n,this)},p.prototype.keys=function(){var e=[];return this.forEach(function(t,n){e.push(n)}),u(e)},p.prototype.values=function(){var e=[];return this.forEach(function(t){e.push(t)}),u(e)},p.prototype.entries=function(){var e=[];return this.forEach(function(t,n){e.push([n,t])}),u(e)},n.iterable&&(p.prototype[Symbol.iterator]=p.prototype.entries);var a=["DELETE","GET","HEAD","OPTIONS","POST","PUT"];g.prototype.clone=function(){return new g(this,{body:this._bodyInit})},b.call(g.prototype),b.call(v.prototype),v.prototype.clone=function(){return new v(this._bodyInit,{status:this.status,statusText:this.statusText,headers:new p(this.headers),url:this.url})},v.error=function(){var e=new v(null,{status:0,statusText:""});return e.type="error",e};var s=[301,302,303,307,308];v.redirect=function(e,t){if(-1===s.indexOf(t))throw new RangeError("Invalid status code");return new v(null,{status:t,headers:{location:e}})},t.Headers=p,t.Request=g,t.Response=v,t.fetch=function(t,r){return new e(function(e,o){var i=new g(t,r),a=new XMLHttpRequest;a.onload=function(){var t,n,r={status:a.status,statusText:a.statusText,headers:(t=a.getAllResponseHeaders()||"",n=new p,t.replace(/\r?\n[\t ]+/g," ").split(/\r?\n/).forEach(function(e){var t=e.split(":"),r=t.shift().trim();if(r){var o=t.join(":").trim();n.append(r,o)}}),n)};r.url="responseURL"in a?a.responseURL:r.headers.get("X-Request-URL");var o="response"in a?a.response:a.responseText;e(new v(o,r))},a.onerror=function(){o(new TypeError("Network request failed"))},a.ontimeout=function(){o(new TypeError("Network request failed"))},a.open(i.method,i.url,!0),"include"===i.credentials?a.withCredentials=!0:"omit"===i.credentials&&(a.withCredentials=!1),"responseType"in a&&n.blob&&(a.responseType="blob"),i.headers.forEach(function(e,t){a.setRequestHeader(t,e)}),a.send(void 0===i._bodyInit?null:i._bodyInit)})},t.fetch.polyfill=!0}function l(e){if("string"!=typeof e&&(e=String(e)),/[^a-z0-9\-#$%&'*+.\^_`|~]/i.test(e))throw new TypeError("Invalid character in header field name");return e.toLowerCase()}function c(e){return"string"!=typeof e&&(e=String(e)),e}function u(e){var t={next:function(){var t=e.shift();return{done:void 0===t,value:t}}};return n.iterable&&(t[Symbol.iterator]=function(){return t}),t}function p(e){this.map={},e instanceof p?e.forEach(function(e,t){this.append(t,e)},this):Array.isArray(e)?e.forEach(function(e){this.append(e[0],e[1])},this):e&&Object.getOwnPropertyNames(e).forEach(function(t){this.append(t,e[t])},this)}function d(t){if(t.bodyUsed)return e.reject(new TypeError("Already read"));t.bodyUsed=!0}function f(t){return new e(function(e,n){t.onload=function(){e(t.result)},t.onerror=function(){n(t.error)}})}function h(e){var t=new FileReader,n=f(t);return t.readAsArrayBuffer(e),n}function m(e){if(e.slice)return e.slice(0);var t=new Uint8Array(e.byteLength);return t.set(new Uint8Array(e)),t.buffer}function b(){return this.bodyUsed=!1,this._initBody=function(e){if(this._bodyInit=e,e)if("string"==typeof e)this._bodyText=e;else if(n.blob&&Blob.prototype.isPrototypeOf(e))this._bodyBlob=e;else if(n.formData&&FormData.prototype.isPrototypeOf(e))this._bodyFormData=e;else if(n.searchParams&&URLSearchParams.prototype.isPrototypeOf(e))this._bodyText=e.toString();else if(n.arrayBuffer&&n.blob&&o(e))this._bodyArrayBuffer=m(e.buffer),this._bodyInit=new Blob([this._bodyArrayBuffer]);else{if(!n.arrayBuffer||!ArrayBuffer.prototype.isPrototypeOf(e)&&!i(e))throw new Error("unsupported BodyInit type");this._bodyArrayBuffer=m(e)}else this._bodyText="";this.headers.get("content-type")||("string"==typeof e?this.headers.set("content-type","text/plain;charset=UTF-8"):this._bodyBlob&&this._bodyBlob.type?this.headers.set("content-type",this._bodyBlob.type):n.searchParams&&URLSearchParams.prototype.isPrototypeOf(e)&&this.headers.set("content-type","application/x-www-form-urlencoded;charset=UTF-8"))},n.blob&&(this.blob=function(){var t=d(this);if(t)return t;if(this._bodyBlob)return e.resolve(this._bodyBlob);if(this._bodyArrayBuffer)return e.resolve(new Blob([this._bodyArrayBuffer]));if(this._bodyFormData)throw new Error("could not read FormData body as blob");return e.resolve(new Blob([this._bodyText]))},this.arrayBuffer=function(){return this._bodyArrayBuffer?d(this)||e.resolve(this._bodyArrayBuffer):this.blob().then(h)}),this.text=function(){var t,n,r,o=d(this);if(o)return o;if(this._bodyBlob)return t=this._bodyBlob,n=new FileReader,r=f(n),n.readAsText(t),r;if(this._bodyArrayBuffer)return e.resolve(function(e){for(var t=new Uint8Array(e),n=new Array(t.length),r=0;r<t.length;r++)n[r]=String.fromCharCode(t[r]);return n.join("")}(this._bodyArrayBuffer));if(this._bodyFormData)throw new Error("could not read FormData body as text");return e.resolve(this._bodyText)},n.formData&&(this.formData=function(){return this.text().then(_)}),this.json=function(){return this.text().then(JSON.parse)},this}function g(e,t){var n,r,o=(t=t||{}).body;if(e instanceof g){if(e.bodyUsed)throw new TypeError("Already read");this.url=e.url,this.credentials=e.credentials,t.headers||(this.headers=new p(e.headers)),this.method=e.method,this.mode=e.mode,o||null==e._bodyInit||(o=e._bodyInit,e.bodyUsed=!0)}else this.url=String(e);if(this.credentials=t.credentials||this.credentials||"omit",!t.headers&&this.headers||(this.headers=new p(t.headers)),this.method=(n=t.method||this.method||"GET",r=n.toUpperCase(),a.indexOf(r)>-1?r:n),this.mode=t.mode||this.mode||null,this.referrer=null,("GET"===this.method||"HEAD"===this.method)&&o)throw new TypeError("Body not allowed for GET or HEAD requests");this._initBody(o)}function _(e){var t=new FormData;return e.trim().split("&").forEach(function(e){if(e){var n=e.split("="),r=n.shift().replace(/\+/g," "),o=n.join("=").replace(/\+/g," ");t.append(decodeURIComponent(r),decodeURIComponent(o))}}),t}function v(e,t){t||(t={}),this.type="default",this.status=void 0===t.status?200:t.status,this.ok=this.status>=200&&this.status<300,this.statusText="statusText"in t?t.statusText:"OK",this.headers=new p(t.headers),this.url=t.url||"",this._initBody(e)}}("undefined"!=typeof self?self:this)}).call(this,n(10))},1720:function(e,t,n){(function(e,r){var o; /** * @license * Lodash <https://lodash.com/> * Copyright JS Foundation and other contributors <https://js.foundation/> * Released under MIT license <https://lodash.com/license> * Based on Underscore.js 1.8.3 <http://underscorejs.org/LICENSE> * Copyright Jeremy Ashkenas, DocumentCloud and Investigative Reporters & Editors */(function(){var i,a=200,s="Unsupported core-js use. Try https://npms.io/search?q=ponyfill.",l="Expected a function",c="__lodash_hash_undefined__",u=500,p="__lodash_placeholder__",d=1,f=2,h=4,m=1,b=2,g=1,_=2,v=4,y=8,w=16,x=32,k=64,C=128,E=256,O=512,T=30,S="...",P=800,M=16,D=1,A=2,R=1/0,L=9007199254740991,I=1.7976931348623157e308,F=NaN,j=4294967295,N=j-1,B=j>>>1,U=[["ary",C],["bind",g],["bindKey",_],["curry",y],["curryRight",w],["flip",O],["partial",x],["partialRight",k],["rearg",E]],W="[object Arguments]",H="[object Array]",$="[object AsyncFunction]",z="[object Boolean]",q="[object Date]",K="[object DOMException]",G="[object Error]",V="[object Function]",X="[object GeneratorFunction]",Y="[object Map]",J="[object Number]",Q="[object Null]",Z="[object Object]",ee="[object Proxy]",te="[object RegExp]",ne="[object Set]",re="[object String]",oe="[object Symbol]",ie="[object Undefined]",ae="[object WeakMap]",se="[object WeakSet]",le="[object ArrayBuffer]",ce="[object DataView]",ue="[object Float32Array]",pe="[object Float64Array]",de="[object Int8Array]",fe="[object Int16Array]",he="[object Int32Array]",me="[object Uint8Array]",be="[object Uint8ClampedArray]",ge="[object Uint16Array]",_e="[object Uint32Array]",ve=/\b__p \+= '';/g,ye=/\b(__p \+=) '' \+/g,we=/(__e\(.*?\)|\b__t\)) \+\n'';/g,xe=/&(?:amp|lt|gt|quot|#39);/g,ke=/[&<>"']/g,Ce=RegExp(xe.source),Ee=RegExp(ke.source),Oe=/<%-([\s\S]+?)%>/g,Te=/<%([\s\S]+?)%>/g,Se=/<%=([\s\S]+?)%>/g,Pe=/\.|\[(?:[^[\]]*|(["'])(?:(?!\1)[^\\]|\\.)*?\1)\]/,Me=/^\w*$/,De=/[^.[\]]+|\[(?:(-?\d+(?:\.\d+)?)|(["'])((?:(?!\2)[^\\]|\\.)*?)\2)\]|(?=(?:\.|\[\])(?:\.|\[\]|$))/g,Ae=/[\\^$.*+?()[\]{}|]/g,Re=RegExp(Ae.source),Le=/^\s+|\s+$/g,Ie=/^\s+/,Fe=/\s+$/,je=/\{(?:\n\/\* \[wrapped with .+\] \*\/)?\n?/,Ne=/\{\n\/\* \[wrapped with (.+)\] \*/,Be=/,? & /,Ue=/[^\x00-\x2f\x3a-\x40\x5b-\x60\x7b-\x7f]+/g,We=/\\(\\)?/g,He=/\$\{([^\\}]*(?:\\.[^\\}]*)*)\}/g,$e=/\w*$/,ze=/^[-+]0x[0-9a-f]+$/i,qe=/^0b[01]+$/i,Ke=/^\[object .+?Constructor\]$/,Ge=/^0o[0-7]+$/i,Ve=/^(?:0|[1-9]\d*)$/,Xe=/[\xc0-\xd6\xd8-\xf6\xf8-\xff\u0100-\u017f]/g,Ye=/($^)/,Je=/['\n\r\u2028\u2029\\]/g,Qe="\\u0300-\\u036f\\ufe20-\\ufe2f\\u20d0-\\u20ff",Ze="\\xac\\xb1\\xd7\\xf7\\x00-\\x2f\\x3a-\\x40\\x5b-\\x60\\x7b-\\xbf\\u2000-\\u206f \\t\\x0b\\f\\xa0\\ufeff\\n\\r\\u2028\\u2029\\u1680\\u180e\\u2000\\u2001\\u2002\\u2003\\u2004\\u2005\\u2006\\u2007\\u2008\\u2009\\u200a\\u202f\\u205f\\u3000",et="[\\ud800-\\udfff]",tt="["+Ze+"]",nt="["+Qe+"]",rt="\\d+",ot="[\\u2700-\\u27bf]",it="[a-z\\xdf-\\xf6\\xf8-\\xff]",at="[^\\ud800-\\udfff"+Ze+rt+"\\u2700-\\u27bfa-z\\xdf-\\xf6\\xf8-\\xffA-Z\\xc0-\\xd6\\xd8-\\xde]",st="\\ud83c[\\udffb-\\udfff]",lt="[^\\ud800-\\udfff]",ct="(?:\\ud83c[\\udde6-\\uddff]){2}",ut="[\\ud800-\\udbff][\\udc00-\\udfff]",pt="[A-Z\\xc0-\\xd6\\xd8-\\xde]",dt="(?:"+it+"|"+at+")",ft="(?:"+pt+"|"+at+")",ht="(?:"+nt+"|"+st+")"+"?",mt="[\\ufe0e\\ufe0f]?"+ht+("(?:\\u200d(?:"+[lt,ct,ut].join("|")+")[\\ufe0e\\ufe0f]?"+ht+")*"),bt="(?:"+[ot,ct,ut].join("|")+")"+mt,gt="(?:"+[lt+nt+"?",nt,ct,ut,et].join("|")+")",_t=RegExp("['’]","g"),vt=RegExp(nt,"g"),yt=RegExp(st+"(?="+st+")|"+gt+mt,"g"),wt=RegExp([pt+"?"+it+"+(?:['’](?:d|ll|m|re|s|t|ve))?(?="+[tt,pt,"$"].join("|")+")",ft+"+(?:['’](?:D|LL|M|RE|S|T|VE))?(?="+[tt,pt+dt,"$"].join("|")+")",pt+"?"+dt+"+(?:['’](?:d|ll|m|re|s|t|ve))?",pt+"+(?:['’](?:D|LL|M|RE|S|T|VE))?","\\d*(?:1ST|2ND|3RD|(?![123])\\dTH)(?=\\b|[a-z_])","\\d*(?:1st|2nd|3rd|(?![123])\\dth)(?=\\b|[A-Z_])",rt,bt].join("|"),"g"),xt=RegExp("[\\u200d\\ud800-\\udfff"+Qe+"\\ufe0e\\ufe0f]"),kt=/[a-z][A-Z]|[A-Z]{2}[a-z]|[0-9][a-zA-Z]|[a-zA-Z][0-9]|[^a-zA-Z0-9 ]/,Ct=["Array","Buffer","DataView","Date","Error","Float32Array","Float64Array","Function","Int8Array","Int16Array","Int32Array","Map","Math","Object","Promise","RegExp","Set","String","Symbol","TypeError","Uint8Array","Uint8ClampedArray","Uint16Array","Uint32Array","WeakMap","_","clearTimeout","isFinite","parseInt","setTimeout"],Et=-1,Ot={};Ot[ue]=Ot[pe]=Ot[de]=Ot[fe]=Ot[he]=Ot[me]=Ot[be]=Ot[ge]=Ot[_e]=!0,Ot[W]=Ot[H]=Ot[le]=Ot[z]=Ot[ce]=Ot[q]=Ot[G]=Ot[V]=Ot[Y]=Ot[J]=Ot[Z]=Ot[te]=Ot[ne]=Ot[re]=Ot[ae]=!1;var Tt={};Tt[W]=Tt[H]=Tt[le]=Tt[ce]=Tt[z]=Tt[q]=Tt[ue]=Tt[pe]=Tt[de]=Tt[fe]=Tt[he]=Tt[Y]=Tt[J]=Tt[Z]=Tt[te]=Tt[ne]=Tt[re]=Tt[oe]=Tt[me]=Tt[be]=Tt[ge]=Tt[_e]=!0,Tt[G]=Tt[V]=Tt[ae]=!1;var St={"\\":"\\","'":"'","\n":"n","\r":"r","\u2028":"u2028","\u2029":"u2029"},Pt=parseFloat,Mt=parseInt,Dt="object"==typeof e&&e&&e.Object===Object&&e,At="object"==typeof self&&self&&self.Object===Object&&self,Rt=Dt||At||Function("return this")(),Lt=t&&!t.nodeType&&t,It=Lt&&"object"==typeof r&&r&&!r.nodeType&&r,Ft=It&&It.exports===Lt,jt=Ft&&Dt.process,Nt=function(){try{var e=It&&It.require&&It.require("util").types;return e||jt&&jt.binding&&jt.binding("util")}catch(e){}}(),Bt=Nt&&Nt.isArrayBuffer,Ut=Nt&&Nt.isDate,Wt=Nt&&Nt.isMap,Ht=Nt&&Nt.isRegExp,$t=Nt&&Nt.isSet,zt=Nt&&Nt.isTypedArray;function qt(e,t,n){switch(n.length){case 0:return e.call(t);case 1:return e.call(t,n[0]);case 2:return e.call(t,n[0],n[1]);case 3:return e.call(t,n[0],n[1],n[2])}return e.apply(t,n)}function Kt(e,t,n,r){for(var o=-1,i=null==e?0:e.length;++o<i;){var a=e[o];t(r,a,n(a),e)}return r}function Gt(e,t){for(var n=-1,r=null==e?0:e.length;++n<r&&!1!==t(e[n],n,e););return e}function Vt(e,t){for(var n=null==e?0:e.length;n--&&!1!==t(e[n],n,e););return e}function Xt(e,t){for(var n=-1,r=null==e?0:e.length;++n<r;)if(!t(e[n],n,e))return!1;return!0}function Yt(e,t){for(var n=-1,r=null==e?0:e.length,o=0,i=[];++n<r;){var a=e[n];t(a,n,e)&&(i[o++]=a)}return i}function Jt(e,t){return!!(null==e?0:e.length)&&ln(e,t,0)>-1}function Qt(e,t,n){for(var r=-1,o=null==e?0:e.length;++r<o;)if(n(t,e[r]))return!0;return!1}function Zt(e,t){for(var n=-1,r=null==e?0:e.length,o=Array(r);++n<r;)o[n]=t(e[n],n,e);return o}function en(e,t){for(var n=-1,r=t.length,o=e.length;++n<r;)e[o+n]=t[n];return e}function tn(e,t,n,r){var o=-1,i=null==e?0:e.length;for(r&&i&&(n=e[++o]);++o<i;)n=t(n,e[o],o,e);return n}function nn(e,t,n,r){var o=null==e?0:e.length;for(r&&o&&(n=e[--o]);o--;)n=t(n,e[o],o,e);return n}function rn(e,t){for(var n=-1,r=null==e?0:e.length;++n<r;)if(t(e[n],n,e))return!0;return!1}var on=dn("length");function an(e,t,n){var r;return n(e,function(e,n,o){if(t(e,n,o))return r=n,!1}),r}function sn(e,t,n,r){for(var o=e.length,i=n+(r?1:-1);r?i--:++i<o;)if(t(e[i],i,e))return i;return-1}function ln(e,t,n){return t==t?function(e,t,n){var r=n-1,o=e.length;for(;++r<o;)if(e[r]===t)return r;return-1}(e,t,n):sn(e,un,n)}function cn(e,t,n,r){for(var o=n-1,i=e.length;++o<i;)if(r(e[o],t))return o;return-1}function un(e){return e!=e}function pn(e,t){var n=null==e?0:e.length;return n?mn(e,t)/n:F}function dn(e){return function(t){return null==t?i:t[e]}}function fn(e){return function(t){return null==e?i:e[t]}}function hn(e,t,n,r,o){return o(e,function(e,o,i){n=r?(r=!1,e):t(n,e,o,i)}),n}function mn(e,t){for(var n,r=-1,o=e.length;++r<o;){var a=t(e[r]);a!==i&&(n=n===i?a:n+a)}return n}function bn(e,t){for(var n=-1,r=Array(e);++n<e;)r[n]=t(n);return r}function gn(e){return function(t){return e(t)}}function _n(e,t){return Zt(t,function(t){return e[t]})}function vn(e,t){return e.has(t)}function yn(e,t){for(var n=-1,r=e.length;++n<r&&ln(t,e[n],0)>-1;);return n}function wn(e,t){for(var n=e.length;n--&&ln(t,e[n],0)>-1;);return n}var xn=fn({"À":"A","Á":"A","Â":"A","Ã":"A","Ä":"A","Å":"A","à":"a","á":"a","â":"a","ã":"a","ä":"a","å":"a","Ç":"C","ç":"c","Ð":"D","ð":"d","È":"E","É":"E","Ê":"E","Ë":"E","è":"e","é":"e","ê":"e","ë":"e","Ì":"I","Í":"I","Î":"I","Ï":"I","ì":"i","í":"i","î":"i","ï":"i","Ñ":"N","ñ":"n","Ò":"O","Ó":"O","Ô":"O","Õ":"O","Ö":"O","Ø":"O","ò":"o","ó":"o","ô":"o","õ":"o","ö":"o","ø":"o","Ù":"U","Ú":"U","Û":"U","Ü":"U","ù":"u","ú":"u","û":"u","ü":"u","Ý":"Y","ý":"y","ÿ":"y","Æ":"Ae","æ":"ae","Þ":"Th","þ":"th","ß":"ss","Ā":"A","Ă":"A","Ą":"A","ā":"a","ă":"a","ą":"a","Ć":"C","Ĉ":"C","Ċ":"C","Č":"C","ć":"c","ĉ":"c","ċ":"c","č":"c","Ď":"D","Đ":"D","ď":"d","đ":"d","Ē":"E","Ĕ":"E","Ė":"E","Ę":"E","Ě":"E","ē":"e","ĕ":"e","ė":"e","ę":"e","ě":"e","Ĝ":"G","Ğ":"G","Ġ":"G","Ģ":"G","ĝ":"g","ğ":"g","ġ":"g","ģ":"g","Ĥ":"H","Ħ":"H","ĥ":"h","ħ":"h","Ĩ":"I","Ī":"I","Ĭ":"I","Į":"I","İ":"I","ĩ":"i","ī":"i","ĭ":"i","į":"i","ı":"i","Ĵ":"J","ĵ":"j","Ķ":"K","ķ":"k","ĸ":"k","Ĺ":"L","Ļ":"L","Ľ":"L","Ŀ":"L","Ł":"L","ĺ":"l","ļ":"l","ľ":"l","ŀ":"l","ł":"l","Ń":"N","Ņ":"N","Ň":"N","Ŋ":"N","ń":"n","ņ":"n","ň":"n","ŋ":"n","Ō":"O","Ŏ":"O","Ő":"O","ō":"o","ŏ":"o","ő":"o","Ŕ":"R","Ŗ":"R","Ř":"R","ŕ":"r","ŗ":"r","ř":"r","Ś":"S","Ŝ":"S","Ş":"S","Š":"S","ś":"s","ŝ":"s","ş":"s","š":"s","Ţ":"T","Ť":"T","Ŧ":"T","ţ":"t","ť":"t","ŧ":"t","Ũ":"U","Ū":"U","Ŭ":"U","Ů":"U","Ű":"U","Ų":"U","ũ":"u","ū":"u","ŭ":"u","ů":"u","ű":"u","ų":"u","Ŵ":"W","ŵ":"w","Ŷ":"Y","ŷ":"y","Ÿ":"Y","Ź":"Z","Ż":"Z","Ž":"Z","ź":"z","ż":"z","ž":"z","IJ":"IJ","ij":"ij","Œ":"Oe","œ":"oe","ʼn":"'n","ſ":"s"}),kn=fn({"&":"&amp;","<":"&lt;",">":"&gt;",'"':"&quot;","'":"&#39;"});function Cn(e){return"\\"+St[e]}function En(e){return xt.test(e)}function On(e){var t=-1,n=Array(e.size);return e.forEach(function(e,r){n[++t]=[r,e]}),n}function Tn(e,t){return function(n){return e(t(n))}}function Sn(e,t){for(var n=-1,r=e.length,o=0,i=[];++n<r;){var a=e[n];a!==t&&a!==p||(e[n]=p,i[o++]=n)}return i}function Pn(e){var t=-1,n=Array(e.size);return e.forEach(function(e){n[++t]=e}),n}function Mn(e){var t=-1,n=Array(e.size);return e.forEach(function(e){n[++t]=[e,e]}),n}function Dn(e){return En(e)?function(e){var t=yt.lastIndex=0;for(;yt.test(e);)++t;return t}(e):on(e)}function An(e){return En(e)?function(e){return e.match(yt)||[]}(e):function(e){return e.split("")}(e)}var Rn=fn({"&amp;":"&","&lt;":"<","&gt;":">","&quot;":'"',"&#39;":"'"});var Ln=function e(t){var n,r=(t=null==t?Rt:Ln.defaults(Rt.Object(),t,Ln.pick(Rt,Ct))).Array,o=t.Date,Qe=t.Error,Ze=t.Function,et=t.Math,tt=t.Object,nt=t.RegExp,rt=t.String,ot=t.TypeError,it=r.prototype,at=Ze.prototype,st=tt.prototype,lt=t["__core-js_shared__"],ct=at.toString,ut=st.hasOwnProperty,pt=0,dt=(n=/[^.]+$/.exec(lt&&lt.keys&&lt.keys.IE_PROTO||""))?"Symbol(src)_1."+n:"",ft=st.toString,ht=ct.call(tt),mt=Rt._,bt=nt("^"+ct.call(ut).replace(Ae,"\\$&").replace(/hasOwnProperty|(function).*?(?=\\\()| for .+?(?=\\\])/g,"$1.*?")+"$"),gt=Ft?t.Buffer:i,yt=t.Symbol,xt=t.Uint8Array,St=gt?gt.allocUnsafe:i,Dt=Tn(tt.getPrototypeOf,tt),At=tt.create,Lt=st.propertyIsEnumerable,It=it.splice,jt=yt?yt.isConcatSpreadable:i,Nt=yt?yt.iterator:i,on=yt?yt.toStringTag:i,fn=function(){try{var e=Bi(tt,"defineProperty");return e({},"",{}),e}catch(e){}}(),In=t.clearTimeout!==Rt.clearTimeout&&t.clearTimeout,Fn=o&&o.now!==Rt.Date.now&&o.now,jn=t.setTimeout!==Rt.setTimeout&&t.setTimeout,Nn=et.ceil,Bn=et.floor,Un=tt.getOwnPropertySymbols,Wn=gt?gt.isBuffer:i,Hn=t.isFinite,$n=it.join,zn=Tn(tt.keys,tt),qn=et.max,Kn=et.min,Gn=o.now,Vn=t.parseInt,Xn=et.random,Yn=it.reverse,Jn=Bi(t,"DataView"),Qn=Bi(t,"Map"),Zn=Bi(t,"Promise"),er=Bi(t,"Set"),tr=Bi(t,"WeakMap"),nr=Bi(tt,"create"),rr=tr&&new tr,or={},ir=pa(Jn),ar=pa(Qn),sr=pa(Zn),lr=pa(er),cr=pa(tr),ur=yt?yt.prototype:i,pr=ur?ur.valueOf:i,dr=ur?ur.toString:i;function fr(e){if(Ss(e)&&!gs(e)&&!(e instanceof gr)){if(e instanceof br)return e;if(ut.call(e,"__wrapped__"))return da(e)}return new br(e)}var hr=function(){function e(){}return function(t){if(!Ts(t))return{};if(At)return At(t);e.prototype=t;var n=new e;return e.prototype=i,n}}();function mr(){}function br(e,t){this.__wrapped__=e,this.__actions__=[],this.__chain__=!!t,this.__index__=0,this.__values__=i}function gr(e){this.__wrapped__=e,this.__actions__=[],this.__dir__=1,this.__filtered__=!1,this.__iteratees__=[],this.__takeCount__=j,this.__views__=[]}function _r(e){var t=-1,n=null==e?0:e.length;for(this.clear();++t<n;){var r=e[t];this.set(r[0],r[1])}}function vr(e){var t=-1,n=null==e?0:e.length;for(this.clear();++t<n;){var r=e[t];this.set(r[0],r[1])}}function yr(e){var t=-1,n=null==e?0:e.length;for(this.clear();++t<n;){var r=e[t];this.set(r[0],r[1])}}function wr(e){var t=-1,n=null==e?0:e.length;for(this.__data__=new yr;++t<n;)this.add(e[t])}function xr(e){var t=this.__data__=new vr(e);this.size=t.size}function kr(e,t){var n=gs(e),r=!n&&bs(e),o=!n&&!r&&ws(e),i=!n&&!r&&!o&&Fs(e),a=n||r||o||i,s=a?bn(e.length,rt):[],l=s.length;for(var c in e)!t&&!ut.call(e,c)||a&&("length"==c||o&&("offset"==c||"parent"==c)||i&&("buffer"==c||"byteLength"==c||"byteOffset"==c)||Ki(c,l))||s.push(c);return s}function Cr(e){var t=e.length;return t?e[xo(0,t-1)]:i}function Er(e,t){return la(ri(e),Lr(t,0,e.length))}function Or(e){return la(ri(e))}function Tr(e,t,n){(n===i||fs(e[t],n))&&(n!==i||t in e)||Ar(e,t,n)}function Sr(e,t,n){var r=e[t];ut.call(e,t)&&fs(r,n)&&(n!==i||t in e)||Ar(e,t,n)}function Pr(e,t){for(var n=e.length;n--;)if(fs(e[n][0],t))return n;return-1}function Mr(e,t,n,r){return Br(e,function(e,o,i){t(r,e,n(e),i)}),r}function Dr(e,t){return e&&oi(t,ol(t),e)}function Ar(e,t,n){"__proto__"==t&&fn?fn(e,t,{configurable:!0,enumerable:!0,value:n,writable:!0}):e[t]=n}function Rr(e,t){for(var n=-1,o=t.length,a=r(o),s=null==e;++n<o;)a[n]=s?i:Zs(e,t[n]);return a}function Lr(e,t,n){return e==e&&(n!==i&&(e=e<=n?e:n),t!==i&&(e=e>=t?e:t)),e}function Ir(e,t,n,r,o,a){var s,l=t&d,c=t&f,u=t&h;if(n&&(s=o?n(e,r,o,a):n(e)),s!==i)return s;if(!Ts(e))return e;var p=gs(e);if(p){if(s=function(e){var t=e.length,n=new e.constructor(t);return t&&"string"==typeof e[0]&&ut.call(e,"index")&&(n.index=e.index,n.input=e.input),n}(e),!l)return ri(e,s)}else{var m=Hi(e),b=m==V||m==X;if(ws(e))return Jo(e,l);if(m==Z||m==W||b&&!o){if(s=c||b?{}:zi(e),!l)return c?function(e,t){return oi(e,Wi(e),t)}(e,function(e,t){return e&&oi(t,il(t),e)}(s,e)):function(e,t){return oi(e,Ui(e),t)}(e,Dr(s,e))}else{if(!Tt[m])return o?e:{};s=function(e,t,n){var r,o,i,a=e.constructor;switch(t){case le:return Qo(e);case z:case q:return new a(+e);case ce:return function(e,t){var n=t?Qo(e.buffer):e.buffer;return new e.constructor(n,e.byteOffset,e.byteLength)}(e,n);case ue:case pe:case de:case fe:case he:case me:case be:case ge:case _e:return Zo(e,n);case Y:return new a;case J:case re:return new a(e);case te:return(i=new(o=e).constructor(o.source,$e.exec(o))).lastIndex=o.lastIndex,i;case ne:return new a;case oe:return r=e,pr?tt(pr.call(r)):{}}}(e,m,l)}}a||(a=new xr);var g=a.get(e);if(g)return g;if(a.set(e,s),Rs(e))return e.forEach(function(r){s.add(Ir(r,t,n,r,e,a))}),s;if(Ps(e))return e.forEach(function(r,o){s.set(o,Ir(r,t,n,o,e,a))}),s;var _=p?i:(u?c?Ai:Di:c?il:ol)(e);return Gt(_||e,function(r,o){_&&(r=e[o=r]),Sr(s,o,Ir(r,t,n,o,e,a))}),s}function Fr(e,t,n){var r=n.length;if(null==e)return!r;for(e=tt(e);r--;){var o=n[r],a=t[o],s=e[o];if(s===i&&!(o in e)||!a(s))return!1}return!0}function jr(e,t,n){if("function"!=typeof e)throw new ot(l);return oa(function(){e.apply(i,n)},t)}function Nr(e,t,n,r){var o=-1,i=Jt,s=!0,l=e.length,c=[],u=t.length;if(!l)return c;n&&(t=Zt(t,gn(n))),r?(i=Qt,s=!1):t.length>=a&&(i=vn,s=!1,t=new wr(t));e:for(;++o<l;){var p=e[o],d=null==n?p:n(p);if(p=r||0!==p?p:0,s&&d==d){for(var f=u;f--;)if(t[f]===d)continue e;c.push(p)}else i(t,d,r)||c.push(p)}return c}fr.templateSettings={escape:Oe,evaluate:Te,interpolate:Se,variable:"",imports:{_:fr}},fr.prototype=mr.prototype,fr.prototype.constructor=fr,br.prototype=hr(mr.prototype),br.prototype.constructor=br,gr.prototype=hr(mr.prototype),gr.prototype.constructor=gr,_r.prototype.clear=function(){this.__data__=nr?nr(null):{},this.size=0},_r.prototype.delete=function(e){var t=this.has(e)&&delete this.__data__[e];return this.size-=t?1:0,t},_r.prototype.get=function(e){var t=this.__data__;if(nr){var n=t[e];return n===c?i:n}return ut.call(t,e)?t[e]:i},_r.prototype.has=function(e){var t=this.__data__;return nr?t[e]!==i:ut.call(t,e)},_r.prototype.set=function(e,t){var n=this.__data__;return this.size+=this.has(e)?0:1,n[e]=nr&&t===i?c:t,this},vr.prototype.clear=function(){this.__data__=[],this.size=0},vr.prototype.delete=function(e){var t=this.__data__,n=Pr(t,e);return!(n<0||(n==t.length-1?t.pop():It.call(t,n,1),--this.size,0))},vr.prototype.get=function(e){var t=this.__data__,n=Pr(t,e);return n<0?i:t[n][1]},vr.prototype.has=function(e){return Pr(this.__data__,e)>-1},vr.prototype.set=function(e,t){var n=this.__data__,r=Pr(n,e);return r<0?(++this.size,n.push([e,t])):n[r][1]=t,this},yr.prototype.clear=function(){this.size=0,this.__data__={hash:new _r,map:new(Qn||vr),string:new _r}},yr.prototype.delete=function(e){var t=ji(this,e).delete(e);return this.size-=t?1:0,t},yr.prototype.get=function(e){return ji(this,e).get(e)},yr.prototype.has=function(e){return ji(this,e).has(e)},yr.prototype.set=function(e,t){var n=ji(this,e),r=n.size;return n.set(e,t),this.size+=n.size==r?0:1,this},wr.prototype.add=wr.prototype.push=function(e){return this.__data__.set(e,c),this},wr.prototype.has=function(e){return this.__data__.has(e)},xr.prototype.clear=function(){this.__data__=new vr,this.size=0},xr.prototype.delete=function(e){var t=this.__data__,n=t.delete(e);return this.size=t.size,n},xr.prototype.get=function(e){return this.__data__.get(e)},xr.prototype.has=function(e){return this.__data__.has(e)},xr.prototype.set=function(e,t){var n=this.__data__;if(n instanceof vr){var r=n.__data__;if(!Qn||r.length<a-1)return r.push([e,t]),this.size=++n.size,this;n=this.__data__=new yr(r)}return n.set(e,t),this.size=n.size,this};var Br=si(Gr),Ur=si(Vr,!0);function Wr(e,t){var n=!0;return Br(e,function(e,r,o){return n=!!t(e,r,o)}),n}function Hr(e,t,n){for(var r=-1,o=e.length;++r<o;){var a=e[r],s=t(a);if(null!=s&&(l===i?s==s&&!Is(s):n(s,l)))var l=s,c=a}return c}function $r(e,t){var n=[];return Br(e,function(e,r,o){t(e,r,o)&&n.push(e)}),n}function zr(e,t,n,r,o){var i=-1,a=e.length;for(n||(n=qi),o||(o=[]);++i<a;){var s=e[i];t>0&&n(s)?t>1?zr(s,t-1,n,r,o):en(o,s):r||(o[o.length]=s)}return o}var qr=li(),Kr=li(!0);function Gr(e,t){return e&&qr(e,t,ol)}function Vr(e,t){return e&&Kr(e,t,ol)}function Xr(e,t){return Yt(t,function(t){return Cs(e[t])})}function Yr(e,t){for(var n=0,r=(t=Go(t,e)).length;null!=e&&n<r;)e=e[ua(t[n++])];return n&&n==r?e:i}function Jr(e,t,n){var r=t(e);return gs(e)?r:en(r,n(e))}function Qr(e){return null==e?e===i?ie:Q:on&&on in tt(e)?function(e){var t=ut.call(e,on),n=e[on];try{e[on]=i;var r=!0}catch(e){}var o=ft.call(e);return r&&(t?e[on]=n:delete e[on]),o}(e):function(e){return ft.call(e)}(e)}function Zr(e,t){return e>t}function eo(e,t){return null!=e&&ut.call(e,t)}function to(e,t){return null!=e&&t in tt(e)}function no(e,t,n){for(var o=n?Qt:Jt,a=e[0].length,s=e.length,l=s,c=r(s),u=1/0,p=[];l--;){var d=e[l];l&&t&&(d=Zt(d,gn(t))),u=Kn(d.length,u),c[l]=!n&&(t||a>=120&&d.length>=120)?new wr(l&&d):i}d=e[0];var f=-1,h=c[0];e:for(;++f<a&&p.length<u;){var m=d[f],b=t?t(m):m;if(m=n||0!==m?m:0,!(h?vn(h,b):o(p,b,n))){for(l=s;--l;){var g=c[l];if(!(g?vn(g,b):o(e[l],b,n)))continue e}h&&h.push(b),p.push(m)}}return p}function ro(e,t,n){var r=null==(e=ta(e,t=Go(t,e)))?e:e[ua(ka(t))];return null==r?i:qt(r,e,n)}function oo(e){return Ss(e)&&Qr(e)==W}function io(e,t,n,r,o){return e===t||(null==e||null==t||!Ss(e)&&!Ss(t)?e!=e&&t!=t:function(e,t,n,r,o,a){var s=gs(e),l=gs(t),c=s?H:Hi(e),u=l?H:Hi(t),p=(c=c==W?Z:c)==Z,d=(u=u==W?Z:u)==Z,f=c==u;if(f&&ws(e)){if(!ws(t))return!1;s=!0,p=!1}if(f&&!p)return a||(a=new xr),s||Fs(e)?Pi(e,t,n,r,o,a):function(e,t,n,r,o,i,a){switch(n){case ce:if(e.byteLength!=t.byteLength||e.byteOffset!=t.byteOffset)return!1;e=e.buffer,t=t.buffer;case le:return!(e.byteLength!=t.byteLength||!i(new xt(e),new xt(t)));case z:case q:case J:return fs(+e,+t);case G:return e.name==t.name&&e.message==t.message;case te:case re:return e==t+"";case Y:var s=On;case ne:var l=r&m;if(s||(s=Pn),e.size!=t.size&&!l)return!1;var c=a.get(e);if(c)return c==t;r|=b,a.set(e,t);var u=Pi(s(e),s(t),r,o,i,a);return a.delete(e),u;case oe:if(pr)return pr.call(e)==pr.call(t)}return!1}(e,t,c,n,r,o,a);if(!(n&m)){var h=p&&ut.call(e,"__wrapped__"),g=d&&ut.call(t,"__wrapped__");if(h||g){var _=h?e.value():e,v=g?t.value():t;return a||(a=new xr),o(_,v,n,r,a)}}return!!f&&(a||(a=new xr),function(e,t,n,r,o,a){var s=n&m,l=Di(e),c=l.length,u=Di(t).length;if(c!=u&&!s)return!1;for(var p=c;p--;){var d=l[p];if(!(s?d in t:ut.call(t,d)))return!1}var f=a.get(e);if(f&&a.get(t))return f==t;var h=!0;a.set(e,t),a.set(t,e);for(var b=s;++p<c;){d=l[p];var g=e[d],_=t[d];if(r)var v=s?r(_,g,d,t,e,a):r(g,_,d,e,t,a);if(!(v===i?g===_||o(g,_,n,r,a):v)){h=!1;break}b||(b="constructor"==d)}if(h&&!b){var y=e.constructor,w=t.constructor;y!=w&&"constructor"in e&&"constructor"in t&&!("function"==typeof y&&y instanceof y&&"function"==typeof w&&w instanceof w)&&(h=!1)}return a.delete(e),a.delete(t),h}(e,t,n,r,o,a))}(e,t,n,r,io,o))}function ao(e,t,n,r){var o=n.length,a=o,s=!r;if(null==e)return!a;for(e=tt(e);o--;){var l=n[o];if(s&&l[2]?l[1]!==e[l[0]]:!(l[0]in e))return!1}for(;++o<a;){var c=(l=n[o])[0],u=e[c],p=l[1];if(s&&l[2]){if(u===i&&!(c in e))return!1}else{var d=new xr;if(r)var f=r(u,p,c,e,t,d);if(!(f===i?io(p,u,m|b,r,d):f))return!1}}return!0}function so(e){return!(!Ts(e)||(t=e,dt&&dt in t))&&(Cs(e)?bt:Ke).test(pa(e));var t}function lo(e){return"function"==typeof e?e:null==e?Ml:"object"==typeof e?gs(e)?mo(e[0],e[1]):ho(e):Bl(e)}function co(e){if(!Ji(e))return zn(e);var t=[];for(var n in tt(e))ut.call(e,n)&&"constructor"!=n&&t.push(n);return t}function uo(e){if(!Ts(e))return function(e){var t=[];if(null!=e)for(var n in tt(e))t.push(n);return t}(e);var t=Ji(e),n=[];for(var r in e)("constructor"!=r||!t&&ut.call(e,r))&&n.push(r);return n}function po(e,t){return e<t}function fo(e,t){var n=-1,o=vs(e)?r(e.length):[];return Br(e,function(e,r,i){o[++n]=t(e,r,i)}),o}function ho(e){var t=Ni(e);return 1==t.length&&t[0][2]?Zi(t[0][0],t[0][1]):function(n){return n===e||ao(n,e,t)}}function mo(e,t){return Vi(e)&&Qi(t)?Zi(ua(e),t):function(n){var r=Zs(n,e);return r===i&&r===t?el(n,e):io(t,r,m|b)}}function bo(e,t,n,r,o){e!==t&&qr(t,function(a,s){if(Ts(a))o||(o=new xr),function(e,t,n,r,o,a,s){var l=na(e,n),c=na(t,n),u=s.get(c);if(u)Tr(e,n,u);else{var p=a?a(l,c,n+"",e,t,s):i,d=p===i;if(d){var f=gs(c),h=!f&&ws(c),m=!f&&!h&&Fs(c);p=c,f||h||m?gs(l)?p=l:ys(l)?p=ri(l):h?(d=!1,p=Jo(c,!0)):m?(d=!1,p=Zo(c,!0)):p=[]:Ds(c)||bs(c)?(p=l,bs(l)?p=zs(l):Ts(l)&&!Cs(l)||(p=zi(c))):d=!1}d&&(s.set(c,p),o(p,c,r,a,s),s.delete(c)),Tr(e,n,p)}}(e,t,s,n,bo,r,o);else{var l=r?r(na(e,s),a,s+"",e,t,o):i;l===i&&(l=a),Tr(e,s,l)}},il)}function go(e,t){var n=e.length;if(n)return Ki(t+=t<0?n:0,n)?e[t]:i}function _o(e,t,n){var r=-1;return t=Zt(t.length?t:[Ml],gn(Fi())),function(e,t){var n=e.length;for(e.sort(t);n--;)e[n]=e[n].value;return e}(fo(e,function(e,n,o){return{criteria:Zt(t,function(t){return t(e)}),index:++r,value:e}}),function(e,t){return function(e,t,n){for(var r=-1,o=e.criteria,i=t.criteria,a=o.length,s=n.length;++r<a;){var l=ei(o[r],i[r]);if(l){if(r>=s)return l;var c=n[r];return l*("desc"==c?-1:1)}}return e.index-t.index}(e,t,n)})}function vo(e,t,n){for(var r=-1,o=t.length,i={};++r<o;){var a=t[r],s=Yr(e,a);n(s,a)&&To(i,Go(a,e),s)}return i}function yo(e,t,n,r){var o=r?cn:ln,i=-1,a=t.length,s=e;for(e===t&&(t=ri(t)),n&&(s=Zt(e,gn(n)));++i<a;)for(var l=0,c=t[i],u=n?n(c):c;(l=o(s,u,l,r))>-1;)s!==e&&It.call(s,l,1),It.call(e,l,1);return e}function wo(e,t){for(var n=e?t.length:0,r=n-1;n--;){var o=t[n];if(n==r||o!==i){var i=o;Ki(o)?It.call(e,o,1):Bo(e,o)}}return e}function xo(e,t){return e+Bn(Xn()*(t-e+1))}function ko(e,t){var n="";if(!e||t<1||t>L)return n;do{t%2&&(n+=e),(t=Bn(t/2))&&(e+=e)}while(t);return n}function Co(e,t){return ia(ea(e,t,Ml),e+"")}function Eo(e){return Cr(fl(e))}function Oo(e,t){var n=fl(e);return la(n,Lr(t,0,n.length))}function To(e,t,n,r){if(!Ts(e))return e;for(var o=-1,a=(t=Go(t,e)).length,s=a-1,l=e;null!=l&&++o<a;){var c=ua(t[o]),u=n;if(o!=s){var p=l[c];(u=r?r(p,c,l):i)===i&&(u=Ts(p)?p:Ki(t[o+1])?[]:{})}Sr(l,c,u),l=l[c]}return e}var So=rr?function(e,t){return rr.set(e,t),e}:Ml,Po=fn?function(e,t){return fn(e,"toString",{configurable:!0,enumerable:!1,value:Tl(t),writable:!0})}:Ml;function Mo(e){return la(fl(e))}function Do(e,t,n){var o=-1,i=e.length;t<0&&(t=-t>i?0:i+t),(n=n>i?i:n)<0&&(n+=i),i=t>n?0:n-t>>>0,t>>>=0;for(var a=r(i);++o<i;)a[o]=e[o+t];return a}function Ao(e,t){var n;return Br(e,function(e,r,o){return!(n=t(e,r,o))}),!!n}function Ro(e,t,n){var r=0,o=null==e?r:e.length;if("number"==typeof t&&t==t&&o<=B){for(;r<o;){var i=r+o>>>1,a=e[i];null!==a&&!Is(a)&&(n?a<=t:a<t)?r=i+1:o=i}return o}return Lo(e,t,Ml,n)}function Lo(e,t,n,r){t=n(t);for(var o=0,a=null==e?0:e.length,s=t!=t,l=null===t,c=Is(t),u=t===i;o<a;){var p=Bn((o+a)/2),d=n(e[p]),f=d!==i,h=null===d,m=d==d,b=Is(d);if(s)var g=r||m;else g=u?m&&(r||f):l?m&&f&&(r||!h):c?m&&f&&!h&&(r||!b):!h&&!b&&(r?d<=t:d<t);g?o=p+1:a=p}return Kn(a,N)}function Io(e,t){for(var n=-1,r=e.length,o=0,i=[];++n<r;){var a=e[n],s=t?t(a):a;if(!n||!fs(s,l)){var l=s;i[o++]=0===a?0:a}}return i}function Fo(e){return"number"==typeof e?e:Is(e)?F:+e}function jo(e){if("string"==typeof e)return e;if(gs(e))return Zt(e,jo)+"";if(Is(e))return dr?dr.call(e):"";var t=e+"";return"0"==t&&1/e==-R?"-0":t}function No(e,t,n){var r=-1,o=Jt,i=e.length,s=!0,l=[],c=l;if(n)s=!1,o=Qt;else if(i>=a){var u=t?null:ki(e);if(u)return Pn(u);s=!1,o=vn,c=new wr}else c=t?[]:l;e:for(;++r<i;){var p=e[r],d=t?t(p):p;if(p=n||0!==p?p:0,s&&d==d){for(var f=c.length;f--;)if(c[f]===d)continue e;t&&c.push(d),l.push(p)}else o(c,d,n)||(c!==l&&c.push(d),l.push(p))}return l}function Bo(e,t){return null==(e=ta(e,t=Go(t,e)))||delete e[ua(ka(t))]}function Uo(e,t,n,r){return To(e,t,n(Yr(e,t)),r)}function Wo(e,t,n,r){for(var o=e.length,i=r?o:-1;(r?i--:++i<o)&&t(e[i],i,e););return n?Do(e,r?0:i,r?i+1:o):Do(e,r?i+1:0,r?o:i)}function Ho(e,t){var n=e;return n instanceof gr&&(n=n.value()),tn(t,function(e,t){return t.func.apply(t.thisArg,en([e],t.args))},n)}function $o(e,t,n){var o=e.length;if(o<2)return o?No(e[0]):[];for(var i=-1,a=r(o);++i<o;)for(var s=e[i],l=-1;++l<o;)l!=i&&(a[i]=Nr(a[i]||s,e[l],t,n));return No(zr(a,1),t,n)}function zo(e,t,n){for(var r=-1,o=e.length,a=t.length,s={};++r<o;){var l=r<a?t[r]:i;n(s,e[r],l)}return s}function qo(e){return ys(e)?e:[]}function Ko(e){return"function"==typeof e?e:Ml}function Go(e,t){return gs(e)?e:Vi(e,t)?[e]:ca(qs(e))}var Vo=Co;function Xo(e,t,n){var r=e.length;return n=n===i?r:n,!t&&n>=r?e:Do(e,t,n)}var Yo=In||function(e){return Rt.clearTimeout(e)};function Jo(e,t){if(t)return e.slice();var n=e.length,r=St?St(n):new e.constructor(n);return e.copy(r),r}function Qo(e){var t=new e.constructor(e.byteLength);return new xt(t).set(new xt(e)),t}function Zo(e,t){var n=t?Qo(e.buffer):e.buffer;return new e.constructor(n,e.byteOffset,e.length)}function ei(e,t){if(e!==t){var n=e!==i,r=null===e,o=e==e,a=Is(e),s=t!==i,l=null===t,c=t==t,u=Is(t);if(!l&&!u&&!a&&e>t||a&&s&&c&&!l&&!u||r&&s&&c||!n&&c||!o)return 1;if(!r&&!a&&!u&&e<t||u&&n&&o&&!r&&!a||l&&n&&o||!s&&o||!c)return-1}return 0}function ti(e,t,n,o){for(var i=-1,a=e.length,s=n.length,l=-1,c=t.length,u=qn(a-s,0),p=r(c+u),d=!o;++l<c;)p[l]=t[l];for(;++i<s;)(d||i<a)&&(p[n[i]]=e[i]);for(;u--;)p[l++]=e[i++];return p}function ni(e,t,n,o){for(var i=-1,a=e.length,s=-1,l=n.length,c=-1,u=t.length,p=qn(a-l,0),d=r(p+u),f=!o;++i<p;)d[i]=e[i];for(var h=i;++c<u;)d[h+c]=t[c];for(;++s<l;)(f||i<a)&&(d[h+n[s]]=e[i++]);return d}function ri(e,t){var n=-1,o=e.length;for(t||(t=r(o));++n<o;)t[n]=e[n];return t}function oi(e,t,n,r){var o=!n;n||(n={});for(var a=-1,s=t.length;++a<s;){var l=t[a],c=r?r(n[l],e[l],l,n,e):i;c===i&&(c=e[l]),o?Ar(n,l,c):Sr(n,l,c)}return n}function ii(e,t){return function(n,r){var o=gs(n)?Kt:Mr,i=t?t():{};return o(n,e,Fi(r,2),i)}}function ai(e){return Co(function(t,n){var r=-1,o=n.length,a=o>1?n[o-1]:i,s=o>2?n[2]:i;for(a=e.length>3&&"function"==typeof a?(o--,a):i,s&&Gi(n[0],n[1],s)&&(a=o<3?i:a,o=1),t=tt(t);++r<o;){var l=n[r];l&&e(t,l,r,a)}return t})}function si(e,t){return function(n,r){if(null==n)return n;if(!vs(n))return e(n,r);for(var o=n.length,i=t?o:-1,a=tt(n);(t?i--:++i<o)&&!1!==r(a[i],i,a););return n}}function li(e){return function(t,n,r){for(var o=-1,i=tt(t),a=r(t),s=a.length;s--;){var l=a[e?s:++o];if(!1===n(i[l],l,i))break}return t}}function ci(e){return function(t){var n=En(t=qs(t))?An(t):i,r=n?n[0]:t.charAt(0),o=n?Xo(n,1).join(""):t.slice(1);return r[e]()+o}}function ui(e){return function(t){return tn(Cl(bl(t).replace(_t,"")),e,"")}}function pi(e){return function(){var t=arguments;switch(t.length){case 0:return new e;case 1:return new e(t[0]);case 2:return new e(t[0],t[1]);case 3:return new e(t[0],t[1],t[2]);case 4:return new e(t[0],t[1],t[2],t[3]);case 5:return new e(t[0],t[1],t[2],t[3],t[4]);case 6:return new e(t[0],t[1],t[2],t[3],t[4],t[5]);case 7:return new e(t[0],t[1],t[2],t[3],t[4],t[5],t[6])}var n=hr(e.prototype),r=e.apply(n,t);return Ts(r)?r:n}}function di(e){return function(t,n,r){var o=tt(t);if(!vs(t)){var a=Fi(n,3);t=ol(t),n=function(e){return a(o[e],e,o)}}var s=e(t,n,r);return s>-1?o[a?t[s]:s]:i}}function fi(e){return Mi(function(t){var n=t.length,r=n,o=br.prototype.thru;for(e&&t.reverse();r--;){var a=t[r];if("function"!=typeof a)throw new ot(l);if(o&&!s&&"wrapper"==Li(a))var s=new br([],!0)}for(r=s?r:n;++r<n;){var c=Li(a=t[r]),u="wrapper"==c?Ri(a):i;s=u&&Xi(u[0])&&u[1]==(C|y|x|E)&&!u[4].length&&1==u[9]?s[Li(u[0])].apply(s,u[3]):1==a.length&&Xi(a)?s[c]():s.thru(a)}return function(){var e=arguments,r=e[0];if(s&&1==e.length&&gs(r))return s.plant(r).value();for(var o=0,i=n?t[o].apply(this,e):r;++o<n;)i=t[o].call(this,i);return i}})}function hi(e,t,n,o,a,s,l,c,u,p){var d=t&C,f=t&g,h=t&_,m=t&(y|w),b=t&O,v=h?i:pi(e);return function g(){for(var _=arguments.length,y=r(_),w=_;w--;)y[w]=arguments[w];if(m)var x=Ii(g),k=function(e,t){for(var n=e.length,r=0;n--;)e[n]===t&&++r;return r}(y,x);if(o&&(y=ti(y,o,a,m)),s&&(y=ni(y,s,l,m)),_-=k,m&&_<p){var C=Sn(y,x);return wi(e,t,hi,g.placeholder,n,y,C,c,u,p-_)}var E=f?n:this,O=h?E[e]:e;return _=y.length,c?y=function(e,t){for(var n=e.length,r=Kn(t.length,n),o=ri(e);r--;){var a=t[r];e[r]=Ki(a,n)?o[a]:i}return e}(y,c):b&&_>1&&y.reverse(),d&&u<_&&(y.length=u),this&&this!==Rt&&this instanceof g&&(O=v||pi(O)),O.apply(E,y)}}function mi(e,t){return function(n,r){return function(e,t,n,r){return Gr(e,function(e,o,i){t(r,n(e),o,i)}),r}(n,e,t(r),{})}}function bi(e,t){return function(n,r){var o;if(n===i&&r===i)return t;if(n!==i&&(o=n),r!==i){if(o===i)return r;"string"==typeof n||"string"==typeof r?(n=jo(n),r=jo(r)):(n=Fo(n),r=Fo(r)),o=e(n,r)}return o}}function gi(e){return Mi(function(t){return t=Zt(t,gn(Fi())),Co(function(n){var r=this;return e(t,function(e){return qt(e,r,n)})})})}function _i(e,t){var n=(t=t===i?" ":jo(t)).length;if(n<2)return n?ko(t,e):t;var r=ko(t,Nn(e/Dn(t)));return En(t)?Xo(An(r),0,e).join(""):r.slice(0,e)}function vi(e){return function(t,n,o){return o&&"number"!=typeof o&&Gi(t,n,o)&&(n=o=i),t=Us(t),n===i?(n=t,t=0):n=Us(n),function(e,t,n,o){for(var i=-1,a=qn(Nn((t-e)/(n||1)),0),s=r(a);a--;)s[o?a:++i]=e,e+=n;return s}(t,n,o=o===i?t<n?1:-1:Us(o),e)}}function yi(e){return function(t,n){return"string"==typeof t&&"string"==typeof n||(t=$s(t),n=$s(n)),e(t,n)}}function wi(e,t,n,r,o,a,s,l,c,u){var p=t&y;t|=p?x:k,(t&=~(p?k:x))&v||(t&=~(g|_));var d=[e,t,o,p?a:i,p?s:i,p?i:a,p?i:s,l,c,u],f=n.apply(i,d);return Xi(e)&&ra(f,d),f.placeholder=r,aa(f,e,t)}function xi(e){var t=et[e];return function(e,n){if(e=$s(e),n=null==n?0:Kn(Ws(n),292)){var r=(qs(e)+"e").split("e");return+((r=(qs(t(r[0]+"e"+(+r[1]+n)))+"e").split("e"))[0]+"e"+(+r[1]-n))}return t(e)}}var ki=er&&1/Pn(new er([,-0]))[1]==R?function(e){return new er(e)}:Il;function Ci(e){return function(t){var n=Hi(t);return n==Y?On(t):n==ne?Mn(t):function(e,t){return Zt(t,function(t){return[t,e[t]]})}(t,e(t))}}function Ei(e,t,n,o,a,s,c,u){var d=t&_;if(!d&&"function"!=typeof e)throw new ot(l);var f=o?o.length:0;if(f||(t&=~(x|k),o=a=i),c=c===i?c:qn(Ws(c),0),u=u===i?u:Ws(u),f-=a?a.length:0,t&k){var h=o,m=a;o=a=i}var b=d?i:Ri(e),O=[e,t,n,o,a,h,m,s,c,u];if(b&&function(e,t){var n=e[1],r=t[1],o=n|r,i=o<(g|_|C),a=r==C&&n==y||r==C&&n==E&&e[7].length<=t[8]||r==(C|E)&&t[7].length<=t[8]&&n==y;if(!i&&!a)return e;r&g&&(e[2]=t[2],o|=n&g?0:v);var s=t[3];if(s){var l=e[3];e[3]=l?ti(l,s,t[4]):s,e[4]=l?Sn(e[3],p):t[4]}(s=t[5])&&(l=e[5],e[5]=l?ni(l,s,t[6]):s,e[6]=l?Sn(e[5],p):t[6]),(s=t[7])&&(e[7]=s),r&C&&(e[8]=null==e[8]?t[8]:Kn(e[8],t[8])),null==e[9]&&(e[9]=t[9]),e[0]=t[0],e[1]=o}(O,b),e=O[0],t=O[1],n=O[2],o=O[3],a=O[4],!(u=O[9]=O[9]===i?d?0:e.length:qn(O[9]-f,0))&&t&(y|w)&&(t&=~(y|w)),t&&t!=g)T=t==y||t==w?function(e,t,n){var o=pi(e);return function a(){for(var s=arguments.length,l=r(s),c=s,u=Ii(a);c--;)l[c]=arguments[c];var p=s<3&&l[0]!==u&&l[s-1]!==u?[]:Sn(l,u);return(s-=p.length)<n?wi(e,t,hi,a.placeholder,i,l,p,i,i,n-s):qt(this&&this!==Rt&&this instanceof a?o:e,this,l)}}(e,t,u):t!=x&&t!=(g|x)||a.length?hi.apply(i,O):function(e,t,n,o){var i=t&g,a=pi(e);return function t(){for(var s=-1,l=arguments.length,c=-1,u=o.length,p=r(u+l),d=this&&this!==Rt&&this instanceof t?a:e;++c<u;)p[c]=o[c];for(;l--;)p[c++]=arguments[++s];return qt(d,i?n:this,p)}}(e,t,n,o);else var T=function(e,t,n){var r=t&g,o=pi(e);return function t(){return(this&&this!==Rt&&this instanceof t?o:e).apply(r?n:this,arguments)}}(e,t,n);return aa((b?So:ra)(T,O),e,t)}function Oi(e,t,n,r){return e===i||fs(e,st[n])&&!ut.call(r,n)?t:e}function Ti(e,t,n,r,o,a){return Ts(e)&&Ts(t)&&(a.set(t,e),bo(e,t,i,Ti,a),a.delete(t)),e}function Si(e){return Ds(e)?i:e}function Pi(e,t,n,r,o,a){var s=n&m,l=e.length,c=t.length;if(l!=c&&!(s&&c>l))return!1;var u=a.get(e);if(u&&a.get(t))return u==t;var p=-1,d=!0,f=n&b?new wr:i;for(a.set(e,t),a.set(t,e);++p<l;){var h=e[p],g=t[p];if(r)var _=s?r(g,h,p,t,e,a):r(h,g,p,e,t,a);if(_!==i){if(_)continue;d=!1;break}if(f){if(!rn(t,function(e,t){if(!vn(f,t)&&(h===e||o(h,e,n,r,a)))return f.push(t)})){d=!1;break}}else if(h!==g&&!o(h,g,n,r,a)){d=!1;break}}return a.delete(e),a.delete(t),d}function Mi(e){return ia(ea(e,i,_a),e+"")}function Di(e){return Jr(e,ol,Ui)}function Ai(e){return Jr(e,il,Wi)}var Ri=rr?function(e){return rr.get(e)}:Il;function Li(e){for(var t=e.name+"",n=or[t],r=ut.call(or,t)?n.length:0;r--;){var o=n[r],i=o.func;if(null==i||i==e)return o.name}return t}function Ii(e){return(ut.call(fr,"placeholder")?fr:e).placeholder}function Fi(){var e=fr.iteratee||Dl;return e=e===Dl?lo:e,arguments.length?e(arguments[0],arguments[1]):e}function ji(e,t){var n,r,o=e.__data__;return("string"==(r=typeof(n=t))||"number"==r||"symbol"==r||"boolean"==r?"__proto__"!==n:null===n)?o["string"==typeof t?"string":"hash"]:o.map}function Ni(e){for(var t=ol(e),n=t.length;n--;){var r=t[n],o=e[r];t[n]=[r,o,Qi(o)]}return t}function Bi(e,t){var n=function(e,t){return null==e?i:e[t]}(e,t);return so(n)?n:i}var Ui=Un?function(e){return null==e?[]:(e=tt(e),Yt(Un(e),function(t){return Lt.call(e,t)}))}:Hl,Wi=Un?function(e){for(var t=[];e;)en(t,Ui(e)),e=Dt(e);return t}:Hl,Hi=Qr;function $i(e,t,n){for(var r=-1,o=(t=Go(t,e)).length,i=!1;++r<o;){var a=ua(t[r]);if(!(i=null!=e&&n(e,a)))break;e=e[a]}return i||++r!=o?i:!!(o=null==e?0:e.length)&&Os(o)&&Ki(a,o)&&(gs(e)||bs(e))}function zi(e){return"function"!=typeof e.constructor||Ji(e)?{}:hr(Dt(e))}function qi(e){return gs(e)||bs(e)||!!(jt&&e&&e[jt])}function Ki(e,t){var n=typeof e;return!!(t=null==t?L:t)&&("number"==n||"symbol"!=n&&Ve.test(e))&&e>-1&&e%1==0&&e<t}function Gi(e,t,n){if(!Ts(n))return!1;var r=typeof t;return!!("number"==r?vs(n)&&Ki(t,n.length):"string"==r&&t in n)&&fs(n[t],e)}function Vi(e,t){if(gs(e))return!1;var n=typeof e;return!("number"!=n&&"symbol"!=n&&"boolean"!=n&&null!=e&&!Is(e))||Me.test(e)||!Pe.test(e)||null!=t&&e in tt(t)}function Xi(e){var t=Li(e),n=fr[t];if("function"!=typeof n||!(t in gr.prototype))return!1;if(e===n)return!0;var r=Ri(n);return!!r&&e===r[0]}(Jn&&Hi(new Jn(new ArrayBuffer(1)))!=ce||Qn&&Hi(new Qn)!=Y||Zn&&"[object Promise]"!=Hi(Zn.resolve())||er&&Hi(new er)!=ne||tr&&Hi(new tr)!=ae)&&(Hi=function(e){var t=Qr(e),n=t==Z?e.constructor:i,r=n?pa(n):"";if(r)switch(r){case ir:return ce;case ar:return Y;case sr:return"[object Promise]";case lr:return ne;case cr:return ae}return t});var Yi=lt?Cs:$l;function Ji(e){var t=e&&e.constructor;return e===("function"==typeof t&&t.prototype||st)}function Qi(e){return e==e&&!Ts(e)}function Zi(e,t){return function(n){return null!=n&&n[e]===t&&(t!==i||e in tt(n))}}function ea(e,t,n){return t=qn(t===i?e.length-1:t,0),function(){for(var o=arguments,i=-1,a=qn(o.length-t,0),s=r(a);++i<a;)s[i]=o[t+i];i=-1;for(var l=r(t+1);++i<t;)l[i]=o[i];return l[t]=n(s),qt(e,this,l)}}function ta(e,t){return t.length<2?e:Yr(e,Do(t,0,-1))}function na(e,t){if("__proto__"!=t)return e[t]}var ra=sa(So),oa=jn||function(e,t){return Rt.setTimeout(e,t)},ia=sa(Po);function aa(e,t,n){var r=t+"";return ia(e,function(e,t){var n=t.length;if(!n)return e;var r=n-1;return t[r]=(n>1?"& ":"")+t[r],t=t.join(n>2?", ":" "),e.replace(je,"{\n/* [wrapped with "+t+"] */\n")}(r,function(e,t){return Gt(U,function(n){var r="_."+n[0];t&n[1]&&!Jt(e,r)&&e.push(r)}),e.sort()}(function(e){var t=e.match(Ne);return t?t[1].split(Be):[]}(r),n)))}function sa(e){var t=0,n=0;return function(){var r=Gn(),o=M-(r-n);if(n=r,o>0){if(++t>=P)return arguments[0]}else t=0;return e.apply(i,arguments)}}function la(e,t){var n=-1,r=e.length,o=r-1;for(t=t===i?r:t;++n<t;){var a=xo(n,o),s=e[a];e[a]=e[n],e[n]=s}return e.length=t,e}var ca=function(e){var t=ss(e,function(e){return n.size===u&&n.clear(),e}),n=t.cache;return t}(function(e){var t=[];return 46===e.charCodeAt(0)&&t.push(""),e.replace(De,function(e,n,r,o){t.push(r?o.replace(We,"$1"):n||e)}),t});function ua(e){if("string"==typeof e||Is(e))return e;var t=e+"";return"0"==t&&1/e==-R?"-0":t}function pa(e){if(null!=e){try{return ct.call(e)}catch(e){}try{return e+""}catch(e){}}return""}function da(e){if(e instanceof gr)return e.clone();var t=new br(e.__wrapped__,e.__chain__);return t.__actions__=ri(e.__actions__),t.__index__=e.__index__,t.__values__=e.__values__,t}var fa=Co(function(e,t){return ys(e)?Nr(e,zr(t,1,ys,!0)):[]}),ha=Co(function(e,t){var n=ka(t);return ys(n)&&(n=i),ys(e)?Nr(e,zr(t,1,ys,!0),Fi(n,2)):[]}),ma=Co(function(e,t){var n=ka(t);return ys(n)&&(n=i),ys(e)?Nr(e,zr(t,1,ys,!0),i,n):[]});function ba(e,t,n){var r=null==e?0:e.length;if(!r)return-1;var o=null==n?0:Ws(n);return o<0&&(o=qn(r+o,0)),sn(e,Fi(t,3),o)}function ga(e,t,n){var r=null==e?0:e.length;if(!r)return-1;var o=r-1;return n!==i&&(o=Ws(n),o=n<0?qn(r+o,0):Kn(o,r-1)),sn(e,Fi(t,3),o,!0)}function _a(e){return null!=e&&e.length?zr(e,1):[]}function va(e){return e&&e.length?e[0]:i}var ya=Co(function(e){var t=Zt(e,qo);return t.length&&t[0]===e[0]?no(t):[]}),wa=Co(function(e){var t=ka(e),n=Zt(e,qo);return t===ka(n)?t=i:n.pop(),n.length&&n[0]===e[0]?no(n,Fi(t,2)):[]}),xa=Co(function(e){var t=ka(e),n=Zt(e,qo);return(t="function"==typeof t?t:i)&&n.pop(),n.length&&n[0]===e[0]?no(n,i,t):[]});function ka(e){var t=null==e?0:e.length;return t?e[t-1]:i}var Ca=Co(Ea);function Ea(e,t){return e&&e.length&&t&&t.length?yo(e,t):e}var Oa=Mi(function(e,t){var n=null==e?0:e.length,r=Rr(e,t);return wo(e,Zt(t,function(e){return Ki(e,n)?+e:e}).sort(ei)),r});function Ta(e){return null==e?e:Yn.call(e)}var Sa=Co(function(e){return No(zr(e,1,ys,!0))}),Pa=Co(function(e){var t=ka(e);return ys(t)&&(t=i),No(zr(e,1,ys,!0),Fi(t,2))}),Ma=Co(function(e){var t=ka(e);return t="function"==typeof t?t:i,No(zr(e,1,ys,!0),i,t)});function Da(e){if(!e||!e.length)return[];var t=0;return e=Yt(e,function(e){if(ys(e))return t=qn(e.length,t),!0}),bn(t,function(t){return Zt(e,dn(t))})}function Aa(e,t){if(!e||!e.length)return[];var n=Da(e);return null==t?n:Zt(n,function(e){return qt(t,i,e)})}var Ra=Co(function(e,t){return ys(e)?Nr(e,t):[]}),La=Co(function(e){return $o(Yt(e,ys))}),Ia=Co(function(e){var t=ka(e);return ys(t)&&(t=i),$o(Yt(e,ys),Fi(t,2))}),Fa=Co(function(e){var t=ka(e);return t="function"==typeof t?t:i,$o(Yt(e,ys),i,t)}),ja=Co(Da);var Na=Co(function(e){var t=e.length,n=t>1?e[t-1]:i;return n="function"==typeof n?(e.pop(),n):i,Aa(e,n)});function Ba(e){var t=fr(e);return t.__chain__=!0,t}function Ua(e,t){return t(e)}var Wa=Mi(function(e){var t=e.length,n=t?e[0]:0,r=this.__wrapped__,o=function(t){return Rr(t,e)};return!(t>1||this.__actions__.length)&&r instanceof gr&&Ki(n)?((r=r.slice(n,+n+(t?1:0))).__actions__.push({func:Ua,args:[o],thisArg:i}),new br(r,this.__chain__).thru(function(e){return t&&!e.length&&e.push(i),e})):this.thru(o)});var Ha=ii(function(e,t,n){ut.call(e,n)?++e[n]:Ar(e,n,1)});var $a=di(ba),za=di(ga);function qa(e,t){return(gs(e)?Gt:Br)(e,Fi(t,3))}function Ka(e,t){return(gs(e)?Vt:Ur)(e,Fi(t,3))}var Ga=ii(function(e,t,n){ut.call(e,n)?e[n].push(t):Ar(e,n,[t])});var Va=Co(function(e,t,n){var o=-1,i="function"==typeof t,a=vs(e)?r(e.length):[];return Br(e,function(e){a[++o]=i?qt(t,e,n):ro(e,t,n)}),a}),Xa=ii(function(e,t,n){Ar(e,n,t)});function Ya(e,t){return(gs(e)?Zt:fo)(e,Fi(t,3))}var Ja=ii(function(e,t,n){e[n?0:1].push(t)},function(){return[[],[]]});var Qa=Co(function(e,t){if(null==e)return[];var n=t.length;return n>1&&Gi(e,t[0],t[1])?t=[]:n>2&&Gi(t[0],t[1],t[2])&&(t=[t[0]]),_o(e,zr(t,1),[])}),Za=Fn||function(){return Rt.Date.now()};function es(e,t,n){return t=n?i:t,t=e&&null==t?e.length:t,Ei(e,C,i,i,i,i,t)}function ts(e,t){var n;if("function"!=typeof t)throw new ot(l);return e=Ws(e),function(){return--e>0&&(n=t.apply(this,arguments)),e<=1&&(t=i),n}}var ns=Co(function(e,t,n){var r=g;if(n.length){var o=Sn(n,Ii(ns));r|=x}return Ei(e,r,t,n,o)}),rs=Co(function(e,t,n){var r=g|_;if(n.length){var o=Sn(n,Ii(rs));r|=x}return Ei(t,r,e,n,o)});function os(e,t,n){var r,o,a,s,c,u,p=0,d=!1,f=!1,h=!0;if("function"!=typeof e)throw new ot(l);function m(t){var n=r,a=o;return r=o=i,p=t,s=e.apply(a,n)}function b(e){var n=e-u;return u===i||n>=t||n<0||f&&e-p>=a}function g(){var e=Za();if(b(e))return _(e);c=oa(g,function(e){var n=t-(e-u);return f?Kn(n,a-(e-p)):n}(e))}function _(e){return c=i,h&&r?m(e):(r=o=i,s)}function v(){var e=Za(),n=b(e);if(r=arguments,o=this,u=e,n){if(c===i)return function(e){return p=e,c=oa(g,t),d?m(e):s}(u);if(f)return c=oa(g,t),m(u)}return c===i&&(c=oa(g,t)),s}return t=$s(t)||0,Ts(n)&&(d=!!n.leading,a=(f="maxWait"in n)?qn($s(n.maxWait)||0,t):a,h="trailing"in n?!!n.trailing:h),v.cancel=function(){c!==i&&Yo(c),p=0,r=u=o=c=i},v.flush=function(){return c===i?s:_(Za())},v}var is=Co(function(e,t){return jr(e,1,t)}),as=Co(function(e,t,n){return jr(e,$s(t)||0,n)});function ss(e,t){if("function"!=typeof e||null!=t&&"function"!=typeof t)throw new ot(l);var n=function(){var r=arguments,o=t?t.apply(this,r):r[0],i=n.cache;if(i.has(o))return i.get(o);var a=e.apply(this,r);return n.cache=i.set(o,a)||i,a};return n.cache=new(ss.Cache||yr),n}function ls(e){if("function"!=typeof e)throw new ot(l);return function(){var t=arguments;switch(t.length){case 0:return!e.call(this);case 1:return!e.call(this,t[0]);case 2:return!e.call(this,t[0],t[1]);case 3:return!e.call(this,t[0],t[1],t[2])}return!e.apply(this,t)}}ss.Cache=yr;var cs=Vo(function(e,t){var n=(t=1==t.length&&gs(t[0])?Zt(t[0],gn(Fi())):Zt(zr(t,1),gn(Fi()))).length;return Co(function(r){for(var o=-1,i=Kn(r.length,n);++o<i;)r[o]=t[o].call(this,r[o]);return qt(e,this,r)})}),us=Co(function(e,t){var n=Sn(t,Ii(us));return Ei(e,x,i,t,n)}),ps=Co(function(e,t){var n=Sn(t,Ii(ps));return Ei(e,k,i,t,n)}),ds=Mi(function(e,t){return Ei(e,E,i,i,i,t)});function fs(e,t){return e===t||e!=e&&t!=t}var hs=yi(Zr),ms=yi(function(e,t){return e>=t}),bs=oo(function(){return arguments}())?oo:function(e){return Ss(e)&&ut.call(e,"callee")&&!Lt.call(e,"callee")},gs=r.isArray,_s=Bt?gn(Bt):function(e){return Ss(e)&&Qr(e)==le};function vs(e){return null!=e&&Os(e.length)&&!Cs(e)}function ys(e){return Ss(e)&&vs(e)}var ws=Wn||$l,xs=Ut?gn(Ut):function(e){return Ss(e)&&Qr(e)==q};function ks(e){if(!Ss(e))return!1;var t=Qr(e);return t==G||t==K||"string"==typeof e.message&&"string"==typeof e.name&&!Ds(e)}function Cs(e){if(!Ts(e))return!1;var t=Qr(e);return t==V||t==X||t==$||t==ee}function Es(e){return"number"==typeof e&&e==Ws(e)}function Os(e){return"number"==typeof e&&e>-1&&e%1==0&&e<=L}function Ts(e){var t=typeof e;return null!=e&&("object"==t||"function"==t)}function Ss(e){return null!=e&&"object"==typeof e}var Ps=Wt?gn(Wt):function(e){return Ss(e)&&Hi(e)==Y};function Ms(e){return"number"==typeof e||Ss(e)&&Qr(e)==J}function Ds(e){if(!Ss(e)||Qr(e)!=Z)return!1;var t=Dt(e);if(null===t)return!0;var n=ut.call(t,"constructor")&&t.constructor;return"function"==typeof n&&n instanceof n&&ct.call(n)==ht}var As=Ht?gn(Ht):function(e){return Ss(e)&&Qr(e)==te};var Rs=$t?gn($t):function(e){return Ss(e)&&Hi(e)==ne};function Ls(e){return"string"==typeof e||!gs(e)&&Ss(e)&&Qr(e)==re}function Is(e){return"symbol"==typeof e||Ss(e)&&Qr(e)==oe}var Fs=zt?gn(zt):function(e){return Ss(e)&&Os(e.length)&&!!Ot[Qr(e)]};var js=yi(po),Ns=yi(function(e,t){return e<=t});function Bs(e){if(!e)return[];if(vs(e))return Ls(e)?An(e):ri(e);if(Nt&&e[Nt])return function(e){for(var t,n=[];!(t=e.next()).done;)n.push(t.value);return n}(e[Nt]());var t=Hi(e);return(t==Y?On:t==ne?Pn:fl)(e)}function Us(e){return e?(e=$s(e))===R||e===-R?(e<0?-1:1)*I:e==e?e:0:0===e?e:0}function Ws(e){var t=Us(e),n=t%1;return t==t?n?t-n:t:0}function Hs(e){return e?Lr(Ws(e),0,j):0}function $s(e){if("number"==typeof e)return e;if(Is(e))return F;if(Ts(e)){var t="function"==typeof e.valueOf?e.valueOf():e;e=Ts(t)?t+"":t}if("string"!=typeof e)return 0===e?e:+e;e=e.replace(Le,"");var n=qe.test(e);return n||Ge.test(e)?Mt(e.slice(2),n?2:8):ze.test(e)?F:+e}function zs(e){return oi(e,il(e))}function qs(e){return null==e?"":jo(e)}var Ks=ai(function(e,t){if(Ji(t)||vs(t))oi(t,ol(t),e);else for(var n in t)ut.call(t,n)&&Sr(e,n,t[n])}),Gs=ai(function(e,t){oi(t,il(t),e)}),Vs=ai(function(e,t,n,r){oi(t,il(t),e,r)}),Xs=ai(function(e,t,n,r){oi(t,ol(t),e,r)}),Ys=Mi(Rr);var Js=Co(function(e,t){e=tt(e);var n=-1,r=t.length,o=r>2?t[2]:i;for(o&&Gi(t[0],t[1],o)&&(r=1);++n<r;)for(var a=t[n],s=il(a),l=-1,c=s.length;++l<c;){var u=s[l],p=e[u];(p===i||fs(p,st[u])&&!ut.call(e,u))&&(e[u]=a[u])}return e}),Qs=Co(function(e){return e.push(i,Ti),qt(sl,i,e)});function Zs(e,t,n){var r=null==e?i:Yr(e,t);return r===i?n:r}function el(e,t){return null!=e&&$i(e,t,to)}var tl=mi(function(e,t,n){null!=t&&"function"!=typeof t.toString&&(t=ft.call(t)),e[t]=n},Tl(Ml)),nl=mi(function(e,t,n){null!=t&&"function"!=typeof t.toString&&(t=ft.call(t)),ut.call(e,t)?e[t].push(n):e[t]=[n]},Fi),rl=Co(ro);function ol(e){return vs(e)?kr(e):co(e)}function il(e){return vs(e)?kr(e,!0):uo(e)}var al=ai(function(e,t,n){bo(e,t,n)}),sl=ai(function(e,t,n,r){bo(e,t,n,r)}),ll=Mi(function(e,t){var n={};if(null==e)return n;var r=!1;t=Zt(t,function(t){return t=Go(t,e),r||(r=t.length>1),t}),oi(e,Ai(e),n),r&&(n=Ir(n,d|f|h,Si));for(var o=t.length;o--;)Bo(n,t[o]);return n});var cl=Mi(function(e,t){return null==e?{}:function(e,t){return vo(e,t,function(t,n){return el(e,n)})}(e,t)});function ul(e,t){if(null==e)return{};var n=Zt(Ai(e),function(e){return[e]});return t=Fi(t),vo(e,n,function(e,n){return t(e,n[0])})}var pl=Ci(ol),dl=Ci(il);function fl(e){return null==e?[]:_n(e,ol(e))}var hl=ui(function(e,t,n){return t=t.toLowerCase(),e+(n?ml(t):t)});function ml(e){return kl(qs(e).toLowerCase())}function bl(e){return(e=qs(e))&&e.replace(Xe,xn).replace(vt,"")}var gl=ui(function(e,t,n){return e+(n?"-":"")+t.toLowerCase()}),_l=ui(function(e,t,n){return e+(n?" ":"")+t.toLowerCase()}),vl=ci("toLowerCase");var yl=ui(function(e,t,n){return e+(n?"_":"")+t.toLowerCase()});var wl=ui(function(e,t,n){return e+(n?" ":"")+kl(t)});var xl=ui(function(e,t,n){return e+(n?" ":"")+t.toUpperCase()}),kl=ci("toUpperCase");function Cl(e,t,n){return e=qs(e),(t=n?i:t)===i?function(e){return kt.test(e)}(e)?function(e){return e.match(wt)||[]}(e):function(e){return e.match(Ue)||[]}(e):e.match(t)||[]}var El=Co(function(e,t){try{return qt(e,i,t)}catch(e){return ks(e)?e:new Qe(e)}}),Ol=Mi(function(e,t){return Gt(t,function(t){t=ua(t),Ar(e,t,ns(e[t],e))}),e});function Tl(e){return function(){return e}}var Sl=fi(),Pl=fi(!0);function Ml(e){return e}function Dl(e){return lo("function"==typeof e?e:Ir(e,d))}var Al=Co(function(e,t){return function(n){return ro(n,e,t)}}),Rl=Co(function(e,t){return function(n){return ro(e,n,t)}});function Ll(e,t,n){var r=ol(t),o=Xr(t,r);null!=n||Ts(t)&&(o.length||!r.length)||(n=t,t=e,e=this,o=Xr(t,ol(t)));var i=!(Ts(n)&&"chain"in n&&!n.chain),a=Cs(e);return Gt(o,function(n){var r=t[n];e[n]=r,a&&(e.prototype[n]=function(){var t=this.__chain__;if(i||t){var n=e(this.__wrapped__);return(n.__actions__=ri(this.__actions__)).push({func:r,args:arguments,thisArg:e}),n.__chain__=t,n}return r.apply(e,en([this.value()],arguments))})}),e}function Il(){}var Fl=gi(Zt),jl=gi(Xt),Nl=gi(rn);function Bl(e){return Vi(e)?dn(ua(e)):function(e){return function(t){return Yr(t,e)}}(e)}var Ul=vi(),Wl=vi(!0);function Hl(){return[]}function $l(){return!1}var zl=bi(function(e,t){return e+t},0),ql=xi("ceil"),Kl=bi(function(e,t){return e/t},1),Gl=xi("floor");var Vl,Xl=bi(function(e,t){return e*t},1),Yl=xi("round"),Jl=bi(function(e,t){return e-t},0);return fr.after=function(e,t){if("function"!=typeof t)throw new ot(l);return e=Ws(e),function(){if(--e<1)return t.apply(this,arguments)}},fr.ary=es,fr.assign=Ks,fr.assignIn=Gs,fr.assignInWith=Vs,fr.assignWith=Xs,fr.at=Ys,fr.before=ts,fr.bind=ns,fr.bindAll=Ol,fr.bindKey=rs,fr.castArray=function(){if(!arguments.length)return[];var e=arguments[0];return gs(e)?e:[e]},fr.chain=Ba,fr.chunk=function(e,t,n){t=(n?Gi(e,t,n):t===i)?1:qn(Ws(t),0);var o=null==e?0:e.length;if(!o||t<1)return[];for(var a=0,s=0,l=r(Nn(o/t));a<o;)l[s++]=Do(e,a,a+=t);return l},fr.compact=function(e){for(var t=-1,n=null==e?0:e.length,r=0,o=[];++t<n;){var i=e[t];i&&(o[r++]=i)}return o},fr.concat=function(){var e=arguments.length;if(!e)return[];for(var t=r(e-1),n=arguments[0],o=e;o--;)t[o-1]=arguments[o];return en(gs(n)?ri(n):[n],zr(t,1))},fr.cond=function(e){var t=null==e?0:e.length,n=Fi();return e=t?Zt(e,function(e){if("function"!=typeof e[1])throw new ot(l);return[n(e[0]),e[1]]}):[],Co(function(n){for(var r=-1;++r<t;){var o=e[r];if(qt(o[0],this,n))return qt(o[1],this,n)}})},fr.conforms=function(e){return function(e){var t=ol(e);return function(n){return Fr(n,e,t)}}(Ir(e,d))},fr.constant=Tl,fr.countBy=Ha,fr.create=function(e,t){var n=hr(e);return null==t?n:Dr(n,t)},fr.curry=function e(t,n,r){var o=Ei(t,y,i,i,i,i,i,n=r?i:n);return o.placeholder=e.placeholder,o},fr.curryRight=function e(t,n,r){var o=Ei(t,w,i,i,i,i,i,n=r?i:n);return o.placeholder=e.placeholder,o},fr.debounce=os,fr.defaults=Js,fr.defaultsDeep=Qs,fr.defer=is,fr.delay=as,fr.difference=fa,fr.differenceBy=ha,fr.differenceWith=ma,fr.drop=function(e,t,n){var r=null==e?0:e.length;return r?Do(e,(t=n||t===i?1:Ws(t))<0?0:t,r):[]},fr.dropRight=function(e,t,n){var r=null==e?0:e.length;return r?Do(e,0,(t=r-(t=n||t===i?1:Ws(t)))<0?0:t):[]},fr.dropRightWhile=function(e,t){return e&&e.length?Wo(e,Fi(t,3),!0,!0):[]},fr.dropWhile=function(e,t){return e&&e.length?Wo(e,Fi(t,3),!0):[]},fr.fill=function(e,t,n,r){var o=null==e?0:e.length;return o?(n&&"number"!=typeof n&&Gi(e,t,n)&&(n=0,r=o),function(e,t,n,r){var o=e.length;for((n=Ws(n))<0&&(n=-n>o?0:o+n),(r=r===i||r>o?o:Ws(r))<0&&(r+=o),r=n>r?0:Hs(r);n<r;)e[n++]=t;return e}(e,t,n,r)):[]},fr.filter=function(e,t){return(gs(e)?Yt:$r)(e,Fi(t,3))},fr.flatMap=function(e,t){return zr(Ya(e,t),1)},fr.flatMapDeep=function(e,t){return zr(Ya(e,t),R)},fr.flatMapDepth=function(e,t,n){return n=n===i?1:Ws(n),zr(Ya(e,t),n)},fr.flatten=_a,fr.flattenDeep=function(e){return null!=e&&e.length?zr(e,R):[]},fr.flattenDepth=function(e,t){return null!=e&&e.length?zr(e,t=t===i?1:Ws(t)):[]},fr.flip=function(e){return Ei(e,O)},fr.flow=Sl,fr.flowRight=Pl,fr.fromPairs=function(e){for(var t=-1,n=null==e?0:e.length,r={};++t<n;){var o=e[t];r[o[0]]=o[1]}return r},fr.functions=function(e){return null==e?[]:Xr(e,ol(e))},fr.functionsIn=function(e){return null==e?[]:Xr(e,il(e))},fr.groupBy=Ga,fr.initial=function(e){return null!=e&&e.length?Do(e,0,-1):[]},fr.intersection=ya,fr.intersectionBy=wa,fr.intersectionWith=xa,fr.invert=tl,fr.invertBy=nl,fr.invokeMap=Va,fr.iteratee=Dl,fr.keyBy=Xa,fr.keys=ol,fr.keysIn=il,fr.map=Ya,fr.mapKeys=function(e,t){var n={};return t=Fi(t,3),Gr(e,function(e,r,o){Ar(n,t(e,r,o),e)}),n},fr.mapValues=function(e,t){var n={};return t=Fi(t,3),Gr(e,function(e,r,o){Ar(n,r,t(e,r,o))}),n},fr.matches=function(e){return ho(Ir(e,d))},fr.matchesProperty=function(e,t){return mo(e,Ir(t,d))},fr.memoize=ss,fr.merge=al,fr.mergeWith=sl,fr.method=Al,fr.methodOf=Rl,fr.mixin=Ll,fr.negate=ls,fr.nthArg=function(e){return e=Ws(e),Co(function(t){return go(t,e)})},fr.omit=ll,fr.omitBy=function(e,t){return ul(e,ls(Fi(t)))},fr.once=function(e){return ts(2,e)},fr.orderBy=function(e,t,n,r){return null==e?[]:(gs(t)||(t=null==t?[]:[t]),gs(n=r?i:n)||(n=null==n?[]:[n]),_o(e,t,n))},fr.over=Fl,fr.overArgs=cs,fr.overEvery=jl,fr.overSome=Nl,fr.partial=us,fr.partialRight=ps,fr.partition=Ja,fr.pick=cl,fr.pickBy=ul,fr.property=Bl,fr.propertyOf=function(e){return function(t){return null==e?i:Yr(e,t)}},fr.pull=Ca,fr.pullAll=Ea,fr.pullAllBy=function(e,t,n){return e&&e.length&&t&&t.length?yo(e,t,Fi(n,2)):e},fr.pullAllWith=function(e,t,n){return e&&e.length&&t&&t.length?yo(e,t,i,n):e},fr.pullAt=Oa,fr.range=Ul,fr.rangeRight=Wl,fr.rearg=ds,fr.reject=function(e,t){return(gs(e)?Yt:$r)(e,ls(Fi(t,3)))},fr.remove=function(e,t){var n=[];if(!e||!e.length)return n;var r=-1,o=[],i=e.length;for(t=Fi(t,3);++r<i;){var a=e[r];t(a,r,e)&&(n.push(a),o.push(r))}return wo(e,o),n},fr.rest=function(e,t){if("function"!=typeof e)throw new ot(l);return Co(e,t=t===i?t:Ws(t))},fr.reverse=Ta,fr.sampleSize=function(e,t,n){return t=(n?Gi(e,t,n):t===i)?1:Ws(t),(gs(e)?Er:Oo)(e,t)},fr.set=function(e,t,n){return null==e?e:To(e,t,n)},fr.setWith=function(e,t,n,r){return r="function"==typeof r?r:i,null==e?e:To(e,t,n,r)},fr.shuffle=function(e){return(gs(e)?Or:Mo)(e)},fr.slice=function(e,t,n){var r=null==e?0:e.length;return r?(n&&"number"!=typeof n&&Gi(e,t,n)?(t=0,n=r):(t=null==t?0:Ws(t),n=n===i?r:Ws(n)),Do(e,t,n)):[]},fr.sortBy=Qa,fr.sortedUniq=function(e){return e&&e.length?Io(e):[]},fr.sortedUniqBy=function(e,t){return e&&e.length?Io(e,Fi(t,2)):[]},fr.split=function(e,t,n){return n&&"number"!=typeof n&&Gi(e,t,n)&&(t=n=i),(n=n===i?j:n>>>0)?(e=qs(e))&&("string"==typeof t||null!=t&&!As(t))&&!(t=jo(t))&&En(e)?Xo(An(e),0,n):e.split(t,n):[]},fr.spread=function(e,t){if("function"!=typeof e)throw new ot(l);return t=null==t?0:qn(Ws(t),0),Co(function(n){var r=n[t],o=Xo(n,0,t);return r&&en(o,r),qt(e,this,o)})},fr.tail=function(e){var t=null==e?0:e.length;return t?Do(e,1,t):[]},fr.take=function(e,t,n){return e&&e.length?Do(e,0,(t=n||t===i?1:Ws(t))<0?0:t):[]},fr.takeRight=function(e,t,n){var r=null==e?0:e.length;return r?Do(e,(t=r-(t=n||t===i?1:Ws(t)))<0?0:t,r):[]},fr.takeRightWhile=function(e,t){return e&&e.length?Wo(e,Fi(t,3),!1,!0):[]},fr.takeWhile=function(e,t){return e&&e.length?Wo(e,Fi(t,3)):[]},fr.tap=function(e,t){return t(e),e},fr.throttle=function(e,t,n){var r=!0,o=!0;if("function"!=typeof e)throw new ot(l);return Ts(n)&&(r="leading"in n?!!n.leading:r,o="trailing"in n?!!n.trailing:o),os(e,t,{leading:r,maxWait:t,trailing:o})},fr.thru=Ua,fr.toArray=Bs,fr.toPairs=pl,fr.toPairsIn=dl,fr.toPath=function(e){return gs(e)?Zt(e,ua):Is(e)?[e]:ri(ca(qs(e)))},fr.toPlainObject=zs,fr.transform=function(e,t,n){var r=gs(e),o=r||ws(e)||Fs(e);if(t=Fi(t,4),null==n){var i=e&&e.constructor;n=o?r?new i:[]:Ts(e)&&Cs(i)?hr(Dt(e)):{}}return(o?Gt:Gr)(e,function(e,r,o){return t(n,e,r,o)}),n},fr.unary=function(e){return es(e,1)},fr.union=Sa,fr.unionBy=Pa,fr.unionWith=Ma,fr.uniq=function(e){return e&&e.length?No(e):[]},fr.uniqBy=function(e,t){return e&&e.length?No(e,Fi(t,2)):[]},fr.uniqWith=function(e,t){return t="function"==typeof t?t:i,e&&e.length?No(e,i,t):[]},fr.unset=function(e,t){return null==e||Bo(e,t)},fr.unzip=Da,fr.unzipWith=Aa,fr.update=function(e,t,n){return null==e?e:Uo(e,t,Ko(n))},fr.updateWith=function(e,t,n,r){return r="function"==typeof r?r:i,null==e?e:Uo(e,t,Ko(n),r)},fr.values=fl,fr.valuesIn=function(e){return null==e?[]:_n(e,il(e))},fr.without=Ra,fr.words=Cl,fr.wrap=function(e,t){return us(Ko(t),e)},fr.xor=La,fr.xorBy=Ia,fr.xorWith=Fa,fr.zip=ja,fr.zipObject=function(e,t){return zo(e||[],t||[],Sr)},fr.zipObjectDeep=function(e,t){return zo(e||[],t||[],To)},fr.zipWith=Na,fr.entries=pl,fr.entriesIn=dl,fr.extend=Gs,fr.extendWith=Vs,Ll(fr,fr),fr.add=zl,fr.attempt=El,fr.camelCase=hl,fr.capitalize=ml,fr.ceil=ql,fr.clamp=function(e,t,n){return n===i&&(n=t,t=i),n!==i&&(n=(n=$s(n))==n?n:0),t!==i&&(t=(t=$s(t))==t?t:0),Lr($s(e),t,n)},fr.clone=function(e){return Ir(e,h)},fr.cloneDeep=function(e){return Ir(e,d|h)},fr.cloneDeepWith=function(e,t){return Ir(e,d|h,t="function"==typeof t?t:i)},fr.cloneWith=function(e,t){return Ir(e,h,t="function"==typeof t?t:i)},fr.conformsTo=function(e,t){return null==t||Fr(e,t,ol(t))},fr.deburr=bl,fr.defaultTo=function(e,t){return null==e||e!=e?t:e},fr.divide=Kl,fr.endsWith=function(e,t,n){e=qs(e),t=jo(t);var r=e.length,o=n=n===i?r:Lr(Ws(n),0,r);return(n-=t.length)>=0&&e.slice(n,o)==t},fr.eq=fs,fr.escape=function(e){return(e=qs(e))&&Ee.test(e)?e.replace(ke,kn):e},fr.escapeRegExp=function(e){return(e=qs(e))&&Re.test(e)?e.replace(Ae,"\\$&"):e},fr.every=function(e,t,n){var r=gs(e)?Xt:Wr;return n&&Gi(e,t,n)&&(t=i),r(e,Fi(t,3))},fr.find=$a,fr.findIndex=ba,fr.findKey=function(e,t){return an(e,Fi(t,3),Gr)},fr.findLast=za,fr.findLastIndex=ga,fr.findLastKey=function(e,t){return an(e,Fi(t,3),Vr)},fr.floor=Gl,fr.forEach=qa,fr.forEachRight=Ka,fr.forIn=function(e,t){return null==e?e:qr(e,Fi(t,3),il)},fr.forInRight=function(e,t){return null==e?e:Kr(e,Fi(t,3),il)},fr.forOwn=function(e,t){return e&&Gr(e,Fi(t,3))},fr.forOwnRight=function(e,t){return e&&Vr(e,Fi(t,3))},fr.get=Zs,fr.gt=hs,fr.gte=ms,fr.has=function(e,t){return null!=e&&$i(e,t,eo)},fr.hasIn=el,fr.head=va,fr.identity=Ml,fr.includes=function(e,t,n,r){e=vs(e)?e:fl(e),n=n&&!r?Ws(n):0;var o=e.length;return n<0&&(n=qn(o+n,0)),Ls(e)?n<=o&&e.indexOf(t,n)>-1:!!o&&ln(e,t,n)>-1},fr.indexOf=function(e,t,n){var r=null==e?0:e.length;if(!r)return-1;var o=null==n?0:Ws(n);return o<0&&(o=qn(r+o,0)),ln(e,t,o)},fr.inRange=function(e,t,n){return t=Us(t),n===i?(n=t,t=0):n=Us(n),function(e,t,n){return e>=Kn(t,n)&&e<qn(t,n)}(e=$s(e),t,n)},fr.invoke=rl,fr.isArguments=bs,fr.isArray=gs,fr.isArrayBuffer=_s,fr.isArrayLike=vs,fr.isArrayLikeObject=ys,fr.isBoolean=function(e){return!0===e||!1===e||Ss(e)&&Qr(e)==z},fr.isBuffer=ws,fr.isDate=xs,fr.isElement=function(e){return Ss(e)&&1===e.nodeType&&!Ds(e)},fr.isEmpty=function(e){if(null==e)return!0;if(vs(e)&&(gs(e)||"string"==typeof e||"function"==typeof e.splice||ws(e)||Fs(e)||bs(e)))return!e.length;var t=Hi(e);if(t==Y||t==ne)return!e.size;if(Ji(e))return!co(e).length;for(var n in e)if(ut.call(e,n))return!1;return!0},fr.isEqual=function(e,t){return io(e,t)},fr.isEqualWith=function(e,t,n){var r=(n="function"==typeof n?n:i)?n(e,t):i;return r===i?io(e,t,i,n):!!r},fr.isError=ks,fr.isFinite=function(e){return"number"==typeof e&&Hn(e)},fr.isFunction=Cs,fr.isInteger=Es,fr.isLength=Os,fr.isMap=Ps,fr.isMatch=function(e,t){return e===t||ao(e,t,Ni(t))},fr.isMatchWith=function(e,t,n){return n="function"==typeof n?n:i,ao(e,t,Ni(t),n)},fr.isNaN=function(e){return Ms(e)&&e!=+e},fr.isNative=function(e){if(Yi(e))throw new Qe(s);return so(e)},fr.isNil=function(e){return null==e},fr.isNull=function(e){return null===e},fr.isNumber=Ms,fr.isObject=Ts,fr.isObjectLike=Ss,fr.isPlainObject=Ds,fr.isRegExp=As,fr.isSafeInteger=function(e){return Es(e)&&e>=-L&&e<=L},fr.isSet=Rs,fr.isString=Ls,fr.isSymbol=Is,fr.isTypedArray=Fs,fr.isUndefined=function(e){return e===i},fr.isWeakMap=function(e){return Ss(e)&&Hi(e)==ae},fr.isWeakSet=function(e){return Ss(e)&&Qr(e)==se},fr.join=function(e,t){return null==e?"":$n.call(e,t)},fr.kebabCase=gl,fr.last=ka,fr.lastIndexOf=function(e,t,n){var r=null==e?0:e.length;if(!r)return-1;var o=r;return n!==i&&(o=(o=Ws(n))<0?qn(r+o,0):Kn(o,r-1)),t==t?function(e,t,n){for(var r=n+1;r--;)if(e[r]===t)return r;return r}(e,t,o):sn(e,un,o,!0)},fr.lowerCase=_l,fr.lowerFirst=vl,fr.lt=js,fr.lte=Ns,fr.max=function(e){return e&&e.length?Hr(e,Ml,Zr):i},fr.maxBy=function(e,t){return e&&e.length?Hr(e,Fi(t,2),Zr):i},fr.mean=function(e){return pn(e,Ml)},fr.meanBy=function(e,t){return pn(e,Fi(t,2))},fr.min=function(e){return e&&e.length?Hr(e,Ml,po):i},fr.minBy=function(e,t){return e&&e.length?Hr(e,Fi(t,2),po):i},fr.stubArray=Hl,fr.stubFalse=$l,fr.stubObject=function(){return{}},fr.stubString=function(){return""},fr.stubTrue=function(){return!0},fr.multiply=Xl,fr.nth=function(e,t){return e&&e.length?go(e,Ws(t)):i},fr.noConflict=function(){return Rt._===this&&(Rt._=mt),this},fr.noop=Il,fr.now=Za,fr.pad=function(e,t,n){e=qs(e);var r=(t=Ws(t))?Dn(e):0;if(!t||r>=t)return e;var o=(t-r)/2;return _i(Bn(o),n)+e+_i(Nn(o),n)},fr.padEnd=function(e,t,n){e=qs(e);var r=(t=Ws(t))?Dn(e):0;return t&&r<t?e+_i(t-r,n):e},fr.padStart=function(e,t,n){e=qs(e);var r=(t=Ws(t))?Dn(e):0;return t&&r<t?_i(t-r,n)+e:e},fr.parseInt=function(e,t,n){return n||null==t?t=0:t&&(t=+t),Vn(qs(e).replace(Ie,""),t||0)},fr.random=function(e,t,n){if(n&&"boolean"!=typeof n&&Gi(e,t,n)&&(t=n=i),n===i&&("boolean"==typeof t?(n=t,t=i):"boolean"==typeof e&&(n=e,e=i)),e===i&&t===i?(e=0,t=1):(e=Us(e),t===i?(t=e,e=0):t=Us(t)),e>t){var r=e;e=t,t=r}if(n||e%1||t%1){var o=Xn();return Kn(e+o*(t-e+Pt("1e-"+((o+"").length-1))),t)}return xo(e,t)},fr.reduce=function(e,t,n){var r=gs(e)?tn:hn,o=arguments.length<3;return r(e,Fi(t,4),n,o,Br)},fr.reduceRight=function(e,t,n){var r=gs(e)?nn:hn,o=arguments.length<3;return r(e,Fi(t,4),n,o,Ur)},fr.repeat=function(e,t,n){return t=(n?Gi(e,t,n):t===i)?1:Ws(t),ko(qs(e),t)},fr.replace=function(){var e=arguments,t=qs(e[0]);return e.length<3?t:t.replace(e[1],e[2])},fr.result=function(e,t,n){var r=-1,o=(t=Go(t,e)).length;for(o||(o=1,e=i);++r<o;){var a=null==e?i:e[ua(t[r])];a===i&&(r=o,a=n),e=Cs(a)?a.call(e):a}return e},fr.round=Yl,fr.runInContext=e,fr.sample=function(e){return(gs(e)?Cr:Eo)(e)},fr.size=function(e){if(null==e)return 0;if(vs(e))return Ls(e)?Dn(e):e.length;var t=Hi(e);return t==Y||t==ne?e.size:co(e).length},fr.snakeCase=yl,fr.some=function(e,t,n){var r=gs(e)?rn:Ao;return n&&Gi(e,t,n)&&(t=i),r(e,Fi(t,3))},fr.sortedIndex=function(e,t){return Ro(e,t)},fr.sortedIndexBy=function(e,t,n){return Lo(e,t,Fi(n,2))},fr.sortedIndexOf=function(e,t){var n=null==e?0:e.length;if(n){var r=Ro(e,t);if(r<n&&fs(e[r],t))return r}return-1},fr.sortedLastIndex=function(e,t){return Ro(e,t,!0)},fr.sortedLastIndexBy=function(e,t,n){return Lo(e,t,Fi(n,2),!0)},fr.sortedLastIndexOf=function(e,t){if(null!=e&&e.length){var n=Ro(e,t,!0)-1;if(fs(e[n],t))return n}return-1},fr.startCase=wl,fr.startsWith=function(e,t,n){return e=qs(e),n=null==n?0:Lr(Ws(n),0,e.length),t=jo(t),e.slice(n,n+t.length)==t},fr.subtract=Jl,fr.sum=function(e){return e&&e.length?mn(e,Ml):0},fr.sumBy=function(e,t){return e&&e.length?mn(e,Fi(t,2)):0},fr.template=function(e,t,n){var r=fr.templateSettings;n&&Gi(e,t,n)&&(t=i),e=qs(e),t=Vs({},t,r,Oi);var o,a,s=Vs({},t.imports,r.imports,Oi),l=ol(s),c=_n(s,l),u=0,p=t.interpolate||Ye,d="__p += '",f=nt((t.escape||Ye).source+"|"+p.source+"|"+(p===Se?He:Ye).source+"|"+(t.evaluate||Ye).source+"|$","g"),h="//# sourceURL="+("sourceURL"in t?t.sourceURL:"lodash.templateSources["+ ++Et+"]")+"\n";e.replace(f,function(t,n,r,i,s,l){return r||(r=i),d+=e.slice(u,l).replace(Je,Cn),n&&(o=!0,d+="' +\n__e("+n+") +\n'"),s&&(a=!0,d+="';\n"+s+";\n__p += '"),r&&(d+="' +\n((__t = ("+r+")) == null ? '' : __t) +\n'"),u=l+t.length,t}),d+="';\n";var m=t.variable;m||(d="with (obj) {\n"+d+"\n}\n"),d=(a?d.replace(ve,""):d).replace(ye,"$1").replace(we,"$1;"),d="function("+(m||"obj")+") {\n"+(m?"":"obj || (obj = {});\n")+"var __t, __p = ''"+(o?", __e = _.escape":"")+(a?", __j = Array.prototype.join;\nfunction print() { __p += __j.call(arguments, '') }\n":";\n")+d+"return __p\n}";var b=El(function(){return Ze(l,h+"return "+d).apply(i,c)});if(b.source=d,ks(b))throw b;return b},fr.times=function(e,t){if((e=Ws(e))<1||e>L)return[];var n=j,r=Kn(e,j);t=Fi(t),e-=j;for(var o=bn(r,t);++n<e;)t(n);return o},fr.toFinite=Us,fr.toInteger=Ws,fr.toLength=Hs,fr.toLower=function(e){return qs(e).toLowerCase()},fr.toNumber=$s,fr.toSafeInteger=function(e){return e?Lr(Ws(e),-L,L):0===e?e:0},fr.toString=qs,fr.toUpper=function(e){return qs(e).toUpperCase()},fr.trim=function(e,t,n){if((e=qs(e))&&(n||t===i))return e.replace(Le,"");if(!e||!(t=jo(t)))return e;var r=An(e),o=An(t);return Xo(r,yn(r,o),wn(r,o)+1).join("")},fr.trimEnd=function(e,t,n){if((e=qs(e))&&(n||t===i))return e.replace(Fe,"");if(!e||!(t=jo(t)))return e;var r=An(e);return Xo(r,0,wn(r,An(t))+1).join("")},fr.trimStart=function(e,t,n){if((e=qs(e))&&(n||t===i))return e.replace(Ie,"");if(!e||!(t=jo(t)))return e;var r=An(e);return Xo(r,yn(r,An(t))).join("")},fr.truncate=function(e,t){var n=T,r=S;if(Ts(t)){var o="separator"in t?t.separator:o;n="length"in t?Ws(t.length):n,r="omission"in t?jo(t.omission):r}var a=(e=qs(e)).length;if(En(e)){var s=An(e);a=s.length}if(n>=a)return e;var l=n-Dn(r);if(l<1)return r;var c=s?Xo(s,0,l).join(""):e.slice(0,l);if(o===i)return c+r;if(s&&(l+=c.length-l),As(o)){if(e.slice(l).search(o)){var u,p=c;for(o.global||(o=nt(o.source,qs($e.exec(o))+"g")),o.lastIndex=0;u=o.exec(p);)var d=u.index;c=c.slice(0,d===i?l:d)}}else if(e.indexOf(jo(o),l)!=l){var f=c.lastIndexOf(o);f>-1&&(c=c.slice(0,f))}return c+r},fr.unescape=function(e){return(e=qs(e))&&Ce.test(e)?e.replace(xe,Rn):e},fr.uniqueId=function(e){var t=++pt;return qs(e)+t},fr.upperCase=xl,fr.upperFirst=kl,fr.each=qa,fr.eachRight=Ka,fr.first=va,Ll(fr,(Vl={},Gr(fr,function(e,t){ut.call(fr.prototype,t)||(Vl[t]=e)}),Vl),{chain:!1}),fr.VERSION="4.17.11",Gt(["bind","bindKey","curry","curryRight","partial","partialRight"],function(e){fr[e].placeholder=fr}),Gt(["drop","take"],function(e,t){gr.prototype[e]=function(n){n=n===i?1:qn(Ws(n),0);var r=this.__filtered__&&!t?new gr(this):this.clone();return r.__filtered__?r.__takeCount__=Kn(n,r.__takeCount__):r.__views__.push({size:Kn(n,j),type:e+(r.__dir__<0?"Right":"")}),r},gr.prototype[e+"Right"]=function(t){return this.reverse()[e](t).reverse()}}),Gt(["filter","map","takeWhile"],function(e,t){var n=t+1,r=n==D||3==n;gr.prototype[e]=function(e){var t=this.clone();return t.__iteratees__.push({iteratee:Fi(e,3),type:n}),t.__filtered__=t.__filtered__||r,t}}),Gt(["head","last"],function(e,t){var n="take"+(t?"Right":"");gr.prototype[e]=function(){return this[n](1).value()[0]}}),Gt(["initial","tail"],function(e,t){var n="drop"+(t?"":"Right");gr.prototype[e]=function(){return this.__filtered__?new gr(this):this[n](1)}}),gr.prototype.compact=function(){return this.filter(Ml)},gr.prototype.find=function(e){return this.filter(e).head()},gr.prototype.findLast=function(e){return this.reverse().find(e)},gr.prototype.invokeMap=Co(function(e,t){return"function"==typeof e?new gr(this):this.map(function(n){return ro(n,e,t)})}),gr.prototype.reject=function(e){return this.filter(ls(Fi(e)))},gr.prototype.slice=function(e,t){e=Ws(e);var n=this;return n.__filtered__&&(e>0||t<0)?new gr(n):(e<0?n=n.takeRight(-e):e&&(n=n.drop(e)),t!==i&&(n=(t=Ws(t))<0?n.dropRight(-t):n.take(t-e)),n)},gr.prototype.takeRightWhile=function(e){return this.reverse().takeWhile(e).reverse()},gr.prototype.toArray=function(){return this.take(j)},Gr(gr.prototype,function(e,t){var n=/^(?:filter|find|map|reject)|While$/.test(t),r=/^(?:head|last)$/.test(t),o=fr[r?"take"+("last"==t?"Right":""):t],a=r||/^find/.test(t);o&&(fr.prototype[t]=function(){var t=this.__wrapped__,s=r?[1]:arguments,l=t instanceof gr,c=s[0],u=l||gs(t),p=function(e){var t=o.apply(fr,en([e],s));return r&&d?t[0]:t};u&&n&&"function"==typeof c&&1!=c.length&&(l=u=!1);var d=this.__chain__,f=!!this.__actions__.length,h=a&&!d,m=l&&!f;if(!a&&u){t=m?t:new gr(this);var b=e.apply(t,s);return b.__actions__.push({func:Ua,args:[p],thisArg:i}),new br(b,d)}return h&&m?e.apply(this,s):(b=this.thru(p),h?r?b.value()[0]:b.value():b)})}),Gt(["pop","push","shift","sort","splice","unshift"],function(e){var t=it[e],n=/^(?:push|sort|unshift)$/.test(e)?"tap":"thru",r=/^(?:pop|shift)$/.test(e);fr.prototype[e]=function(){var e=arguments;if(r&&!this.__chain__){var o=this.value();return t.apply(gs(o)?o:[],e)}return this[n](function(n){return t.apply(gs(n)?n:[],e)})}}),Gr(gr.prototype,function(e,t){var n=fr[t];if(n){var r=n.name+"";(or[r]||(or[r]=[])).push({name:t,func:n})}}),or[hi(i,_).name]=[{name:"wrapper",func:i}],gr.prototype.clone=function(){var e=new gr(this.__wrapped__);return e.__actions__=ri(this.__actions__),e.__dir__=this.__dir__,e.__filtered__=this.__filtered__,e.__iteratees__=ri(this.__iteratees__),e.__takeCount__=this.__takeCount__,e.__views__=ri(this.__views__),e},gr.prototype.reverse=function(){if(this.__filtered__){var e=new gr(this);e.__dir__=-1,e.__filtered__=!0}else(e=this.clone()).__dir__*=-1;return e},gr.prototype.value=function(){var e=this.__wrapped__.value(),t=this.__dir__,n=gs(e),r=t<0,o=n?e.length:0,i=function(e,t,n){for(var r=-1,o=n.length;++r<o;){var i=n[r],a=i.size;switch(i.type){case"drop":e+=a;break;case"dropRight":t-=a;break;case"take":t=Kn(t,e+a);break;case"takeRight":e=qn(e,t-a)}}return{start:e,end:t}}(0,o,this.__views__),a=i.start,s=i.end,l=s-a,c=r?s:a-1,u=this.__iteratees__,p=u.length,d=0,f=Kn(l,this.__takeCount__);if(!n||!r&&o==l&&f==l)return Ho(e,this.__actions__);var h=[];e:for(;l--&&d<f;){for(var m=-1,b=e[c+=t];++m<p;){var g=u[m],_=g.iteratee,v=g.type,y=_(b);if(v==A)b=y;else if(!y){if(v==D)continue e;break e}}h[d++]=b}return h},fr.prototype.at=Wa,fr.prototype.chain=function(){return Ba(this)},fr.prototype.commit=function(){return new br(this.value(),this.__chain__)},fr.prototype.next=function(){this.__values__===i&&(this.__values__=Bs(this.value()));var e=this.__index__>=this.__values__.length;return{done:e,value:e?i:this.__values__[this.__index__++]}},fr.prototype.plant=function(e){for(var t,n=this;n instanceof mr;){var r=da(n);r.__index__=0,r.__values__=i,t?o.__wrapped__=r:t=r;var o=r;n=n.__wrapped__}return o.__wrapped__=e,t},fr.prototype.reverse=function(){var e=this.__wrapped__;if(e instanceof gr){var t=e;return this.__actions__.length&&(t=new gr(this)),(t=t.reverse()).__actions__.push({func:Ua,args:[Ta],thisArg:i}),new br(t,this.__chain__)}return this.thru(Ta)},fr.prototype.toJSON=fr.prototype.valueOf=fr.prototype.value=function(){return Ho(this.__wrapped__,this.__actions__)},fr.prototype.first=fr.prototype.head,Nt&&(fr.prototype[Nt]=function(){return this}),fr}();Rt._=Ln,(o=function(){return Ln}.call(t,n,t,r))===i||(r.exports=o)}).call(this)}).call(this,n(28),n(54)(e))},1721:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=n(1650);t.generateConfig=function(e,t,n,r){var o={foreground:r.foreground,background:r.background,cursor:null,cursorAccent:null,selection:null,ansi:r.ansi.slice(0,16)};return{type:n.options.experimentalCharAtlas,devicePixelRatio:window.devicePixelRatio,scaledCharWidth:e,scaledCharHeight:t,fontFamily:n.options.fontFamily,fontSize:n.options.fontSize,fontWeight:n.options.fontWeight,fontWeightBold:n.options.fontWeightBold,allowTransparency:n.options.allowTransparency,colors:o}},t.configEquals=function(e,t){for(var n=0;n<e.colors.ansi.length;n++)if(e.colors.ansi[n].rgba!==t.colors.ansi[n].rgba)return!1;return e.type===t.type&&e.devicePixelRatio===t.devicePixelRatio&&e.fontFamily===t.fontFamily&&e.fontSize===t.fontSize&&e.fontWeight===t.fontWeight&&e.fontWeightBold===t.fontWeightBold&&e.allowTransparency===t.allowTransparency&&e.scaledCharWidth===t.scaledCharWidth&&e.scaledCharHeight===t.scaledCharHeight&&e.colors.foreground===t.colors.foreground&&e.colors.background===t.colors.background},t.is256Color=function(e){return e<r.DEFAULT_COLOR}},1722:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r="undefined"==typeof navigator,o=r?"node":navigator.userAgent,i=r?"node":navigator.platform;function a(e,t){return e.indexOf(t)>=0}t.isFirefox=!!~o.indexOf("Firefox"),t.isSafari=/^((?!chrome|android).)*safari/i.test(o),t.isMSIE=!!~o.indexOf("MSIE")||!!~o.indexOf("Trident"),t.isMac=a(["Macintosh","MacIntel","MacPPC","Mac68K"],i),t.isIpad="iPad"===i,t.isIphone="iPhone"===i,t.isMSWindows=a(["Windows","Win16","Win32","WinCE"],i),t.isLinux=i.indexOf("Linux")>=0},1723:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.reducers=t.initialState=void 0,t.makeSaga=function(e,t,n,o){var a=o.terminalApi,l=o.saveHook,p=o.onChangePort,h=o.onChangeGPUMode,b=o.onBackupStatus,_=o.onBackupDownload,y=o.onLoadArchives,x=o.lab,k=o.workspaceLocation,C=o.context,E=o.saveDebounceWait,O=o.selectState;return regeneratorRuntime.mark(function o(T,R){var L;return regeneratorRuntime.wrap(function(o){for(;;)switch(o.prev=o.next){case 0:return L=n.blueprint.conf,o.next=3,(0,r.fork)(i.saga,{editor:t.editor,files:t.files,saveDebounceWait:E,saveHook:l,scope:R});case 3:return o.next=5,(0,r.call)(P,e,t.files);case 5:return o.next=7,(0,r.fork)(m.saga,T,R,n,C,O);case 7:if(!t.editor){o.next=10;break}return o.next=10,(0,r.fork)(D,n,t.editor);case 10:if(!a){o.next=16;break}return o.next=13,(0,r.fork)(M,a,k,L.userCode);case 13:if(!L.openTerminalOnStartup){o.next=16;break}return o.next=16,(0,r.fork)(A,a,L.terminalTitle);case 16:if(!x){o.next=19;break}return o.next=19,(0,r.fork)(v.saga,{scope:R,eventsFactory:T,lab:x});case 19:return o.t0=r.fork,o.t1=s.saga,o.next=23,(0,r.call)(T);case 23:return o.t2=o.sent,o.t3=R,o.t4={events:o.t2,scope:o.t3},o.next=28,(0,o.t0)(o.t1,o.t4);case 28:if(!b){o.next=41;break}return o.t5=r.fork,o.t6=c.saga,o.next=33,(0,r.call)(T);case 33:return o.t7=o.sent,o.t8=_,o.t9=b,o.t10=y,o.t11=R,o.t12={events:o.t7,onBackupDownload:o.t8,onBackupStatus:o.t9,onLoadArchives:o.t10,scope:o.t11},o.next=41,(0,o.t5)(o.t6,o.t12);case 41:return o.t13=r.fork,o.t14=u.saga,o.next=45,(0,r.call)(T);case 45:return o.t15=o.sent,o.t16=R,o.t17={events:o.t15,scope:o.t16},o.next=50,(0,o.t13)(o.t14,o.t17);case 50:return o.t18=r.fork,o.t19=d.saga,o.next=54,(0,r.call)(T);case 54:return o.t20=o.sent,o.t21=R,o.t22={events:o.t20,scope:o.t21},o.next=59,(0,o.t18)(o.t19,o.t22);case 59:if(!h){o.next=70;break}return o.t23=r.fork,o.t24=g.saga,o.t25=h,o.next=65,(0,r.call)(T);case 65:return o.t26=o.sent,o.t27=R,o.t28={onChangeGPUMode:o.t25,events:o.t26,scope:o.t27},o.next=70,(0,o.t23)(o.t24,o.t28);case 70:if(!p){o.next=73;break}return o.next=73,(0,r.fork)(S,{onChangePort:p,scope:R,project:n});case 73:return o.next=75,(0,r.fork)(f.saga,e,R);case 75:if(!t.editor||!t.files){o.next=78;break}return o.next=78,(0,r.fork)(w.fixEditorForFileChanges,n,t.editor,t.files);case 78:case"end":return o.stop()}},o,this)})};var r=n(137),o=n(141),i=n(1842),a=x(i),s=n(1694),l=x(s),c=n(1768),u=n(1679),p=x(u),d=n(1695),f=n(2016),h=x(f),m=n(1655),b=x(m),g=n(1724),_=x(g),v=n(1664),y=x(v),w=n(2019);function x(e){return e&&e.__esModule?e:{default:e}}var k=regeneratorRuntime.mark(S),C=regeneratorRuntime.mark(P),E=regeneratorRuntime.mark(M),O=regeneratorRuntime.mark(D),T=regeneratorRuntime.mark(A);function S(e){var t=e.onChangePort,n=e.project.blueprint.conf.ports;return regeneratorRuntime.wrap(function(e){for(;;)switch(e.prev=e.next){case 0:return e.next=2,n.map(function(e){return(0,r.call)(t,e)});case 2:case"end":return e.stop()}},k,this)}function P(e,t){return regeneratorRuntime.wrap(function(n){for(;;)switch(n.prev=n.next){case 0:return n.next=2,(0,r.call)(t.getCurDir.bind(t));case 2:if(n.sent.startsWith("/home/workspace")){n.next=8;break}return n.next=6,(0,r.call)(e.exec.bind(e),"mkdir -p /home/workspace");case 6:return n.next=8,(0,r.call)(t.cd,"/home/workspace");case 8:case"end":return n.stop()}},C,this)}function M(e,t,n){var o;return regeneratorRuntime.wrap(function(i){for(;;)switch(i.prev=i.next){case 0:return o="\n export NODE_ENV=development;\n export WORKSPACEID="+t+";\n export WORKSPACEDOMAIN=udacity-student-workspaces.com;\n "+(n||"")+"\n cd /home/workspace && bash\n ",i.next=3,(0,r.call)(e.setDefaults.bind(e),{command:"/bin/bash",args:["-c",o]});case 3:case"end":return i.stop()}},E,this)}function D(e,t){return regeneratorRuntime.wrap(function(n){for(;;)switch(n.prev=n.next){case 0:return n.next=2,(0,r.call)(t.setOpenFiles,e.blueprint.conf.openFiles);case 2:case"end":return n.stop()}},O,this)}function A(e,t){return regeneratorRuntime.wrap(function(n){for(;;)switch(n.prev=n.next){case 0:return n.prev=0,n.next=3,(0,r.call)(e.closeTerminal.bind(e),{id:"generic"});case 3:n.next=8;break;case 5:return n.prev=5,n.t0=n.catch(0),n.abrupt("return");case 8:return n.prev=8,n.next=11,(0,r.call)(e.newTerminal.bind(e),{id:"generic",command:"/bin/bash",title:t||"BASH"});case 11:return n.finish(8);case 12:case"end":return n.stop()}},T,this,[[0,5,8,12]])}t.initialState={analytics:m.initialState,backups:c.initialState,changesSaved:i.initialState,connected:f.initialState,gpu:g.initialState,grade:v.initialState,refresh:d.initialState,reset:u.initialState,submit:s.initialState};var R=t.reducers={analytics:b.default,backups:c.reducer,changesSaved:a.default,connected:h.default,gpu:_.default,grade:y.default,refresh:d.reducer,reset:p.default,submit:l.default},L=(0,o.combineReducers)(R);t.default=L},1724:function(e,t,n){"use strict";var r;Object.defineProperty(t,"__esModule",{value:!0}),t.initialState=t.states=t.requestTimeOpen=t.conflictingGPUOpen=t.toggleGPUOpen=t.gpuModalClose=t.CONFLICTING_GPU_SUBMIT=t.DISABLE_GPU_SUBMIT=t.ENABLE_GPU_SUBMIT=t.CONFLICTING_GPU_OPEN=t.REQUEST_TIME_OPEN=t.TOGGLE_GPU_OPEN=t.GPU_MODAL_CLOSE=t.GPU=void 0;var o=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var n=arguments[t];for(var r in n)Object.prototype.hasOwnProperty.call(n,r)&&(e[r]=n[r])}return e};t.enableGPUSubmit=function(e){return{type:h,scope:e,enableGPUMode:!0}},t.disableGPUSubmit=function(e){return{type:m,scope:e,enableGPUMode:!1}},t.conflictingGPUSubmit=function(e){return{type:b,scope:e,enableGPUMode:!0}},t.saga=w;var i=n(137),a=n(1635),s=regeneratorRuntime.mark(w);function l(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}var c=t.GPU="udacity/workspace/gpu",u=t.GPU_MODAL_CLOSE=c+"/close-modal",p=t.TOGGLE_GPU_OPEN=c+"/open-toggle",d=t.REQUEST_TIME_OPEN=c+"/open-request-time",f=t.CONFLICTING_GPU_OPEN=c+"/open-conflict",h=t.ENABLE_GPU_SUBMIT=c+"/submit-enable",m=t.DISABLE_GPU_SUBMIT=c+"/submit-disable",b=t.CONFLICTING_GPU_SUBMIT=c+"/submit-conflict";function g(e){return function(t){return{scope:t,type:e}}}t.gpuModalClose=g(u),t.toggleGPUOpen=g(p),t.conflictingGPUOpen=g(f),t.requestTimeOpen=g(d);var _=t.states={closed:"closed",toggle:"toggleGPU modal open",time:"requestTime modal open",conflict:"gpuConflict modal open"},v=t.initialState={modalState:_.closed},y=(0,a.createReducer)(v,(l(r={},u,function(e){return o({},e,{modalState:_.closed})}),l(r,p,function(e){return o({},e,{modalState:_.toggle})}),l(r,f,function(e){return o({},e,{modalState:_.conflict})}),l(r,d,function(e){return o({},e,{modalState:_.time})}),l(r,m,function(e){return o({},e,{modalState:_.closed})}),l(r,h,function(e){return o({},e,{modalState:_.closed})}),l(r,b,function(e){return o({},e,{modalState:_.closed})}),r));function w(e){var t,n=e.events,r=e.onChangeGPUMode;return regeneratorRuntime.wrap(function(e){for(;;)switch(e.prev=e.next){case 0:return e.next=3,(0,i.take)(n);case 3:t=e.sent,e.t0=t.type,e.next=e.t0===h?7:e.t0===m?7:e.t0===b?7:10;break;case 7:return e.next=9,(0,i.call)(r,t.enableGPUMode);case 9:return e.abrupt("break",10);case 10:e.next=0;break;case 12:case"end":return e.stop()}},s,this)}t.default=y},1725:function(e,t,n){"use strict";(function(e,r){Object.defineProperty(t,"__esModule",{value:!0}),t.default=void 0;var o,i,a=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var n=arguments[t];for(var r in n)Object.prototype.hasOwnProperty.call(n,r)&&(e[r]=n[r])}return e},s=function(){function e(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}return function(t,n,r){return n&&e(t.prototype,n),r&&e(t,r),t}}(),l=p(n(0)),c=n(2019),u=p(n(1638));function p(e){return e&&e.__esModule?e:{default:e}}function d(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}var f=(i=o=function(t){function n(){var e,t,o;!function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}(this,n);for(var i=arguments.length,s=Array(i),l=0;l<i;l++)s[l]=arguments[l];return t=o=d(this,(e=n.__proto__||Object.getPrototypeOf(n)).call.apply(e,[this].concat(s))),o.onChange=function(e){o.props.onChangeConf(a({},o.props.conf,{openFiles:e.map(function(e){return e.value})}))},o.getOptions=function(){return o.props.makeServer().then(c.getWorkspaceFiles)},o.getValues=function(){return r.get(o,"props.conf.openFiles",[]).map(function(e){return{value:e,label:e}})},d(o,t)}return function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}(n,e.Component),s(n,[{key:"render",value:function(){var t=this;return e.createElement("div",{key:this.props.starId},e.createElement("label",null,this.props.label),e.createElement(u.default.Async,{multi:!0,name:"open-files",value:this.getValues(),loadOptions:this.getOptions,onChange:function(e){return t.onChange(e)}}))}}]),n}(),o.propTypes={conf:l.default.object.isRequired,label:l.default.string,makeServer:l.default.func.isRequired,onChangeConf:l.default.func.isRequired,starId:l.default.string},o.defaultProps={conf:{},label:"Default open files for student",onChangeConf:r.noop},i);t.default=f}).call(this,n(1),n(4))},1726:function(module,exports,__webpack_require__){"use strict";(function(module){var __WEBPACK_AMD_DEFINE_FACTORY__,__WEBPACK_AMD_DEFINE_ARRAY__,__WEBPACK_AMD_DEFINE_RESULT__,_typeof="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e},factory;window,factory=function(__WEBPACK_EXTERNAL_MODULE_prop_types__,__WEBPACK_EXTERNAL_MODULE_react__,__WEBPACK_EXTERNAL_MODULE_react_dom__){return function(e){var t={};function n(r){if(t[r])return t[r].exports;var o=t[r]={i:r,l:!1,exports:{}};return e[r].call(o.exports,o,o.exports,n),o.l=!0,o.exports}return n.m=e,n.c=t,n.d=function(e,t,r){n.o(e,t)||Object.defineProperty(e,t,{enumerable:!0,get:r})},n.r=function(e){"undefined"!=typeof Symbol&&Symbol.toStringTag&&Object.defineProperty(e,Symbol.toStringTag,{value:"Module"}),Object.defineProperty(e,"__esModule",{value:!0})},n.t=function(e,t){if(1&t&&(e=n(e)),8&t)return e;if(4&t&&"object"===(void 0===e?"undefined":_typeof(e))&&e&&e.__esModule)return e;var r=Object.create(null);if(n.r(r),Object.defineProperty(r,"default",{enumerable:!0,value:e}),2&t&&"string"!=typeof e)for(var o in e)n.d(r,o,function(t){return e[t]}.bind(null,o));return r},n.n=function(e){var t=e&&e.__esModule?function(){return e.default}:function(){return e};return n.d(t,"a",t),t},n.o=function(e,t){return Object.prototype.hasOwnProperty.call(e,t)},n.p="",n(n.s="./packages/veritas-components/src/components/index.js")}({"./node_modules/@babel/runtime/helpers/esm/assertThisInitialized.js": /*!**************************************************************************!*\ !*** ./node_modules/@babel/runtime/helpers/esm/assertThisInitialized.js ***! \**************************************************************************/ /*! exports provided: default */function node_modulesBabelRuntimeHelpersEsmAssertThisInitializedJs(module,__webpack_exports__,__webpack_require__){eval('__webpack_require__.r(__webpack_exports__);\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "default", function() { return _assertThisInitialized; });\nfunction _assertThisInitialized(self) {\n if (self === void 0) {\n throw new ReferenceError("this hasn\'t been initialised - super() hasn\'t been called");\n }\n\n return self;\n}\n\n//# sourceURL=webpack://veritas/./node_modules/@babel/runtime/helpers/esm/assertThisInitialized.js?')},"./node_modules/@babel/runtime/helpers/esm/extends.js": /*!************************************************************!*\ !*** ./node_modules/@babel/runtime/helpers/esm/extends.js ***! \************************************************************/ /*! exports provided: default */function node_modulesBabelRuntimeHelpersEsmExtendsJs(module,__webpack_exports__,__webpack_require__){eval('__webpack_require__.r(__webpack_exports__);\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "default", function() { return _extends; });\nfunction _extends() {\n _extends = Object.assign || function (target) {\n for (var i = 1; i < arguments.length; i++) {\n var source = arguments[i];\n\n for (var key in source) {\n if (Object.prototype.hasOwnProperty.call(source, key)) {\n target[key] = source[key];\n }\n }\n }\n\n return target;\n };\n\n return _extends.apply(this, arguments);\n}\n\n//# sourceURL=webpack://veritas/./node_modules/@babel/runtime/helpers/esm/extends.js?')},"./node_modules/@babel/runtime/helpers/esm/inheritsLoose.js": /*!******************************************************************!*\ !*** ./node_modules/@babel/runtime/helpers/esm/inheritsLoose.js ***! \******************************************************************/ /*! exports provided: default */function node_modulesBabelRuntimeHelpersEsmInheritsLooseJs(module,__webpack_exports__,__webpack_require__){eval('__webpack_require__.r(__webpack_exports__);\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "default", function() { return _inheritsLoose; });\nfunction _inheritsLoose(subClass, superClass) {\n subClass.prototype = Object.create(superClass.prototype);\n subClass.prototype.constructor = subClass;\n subClass.__proto__ = superClass;\n}\n\n//# sourceURL=webpack://veritas/./node_modules/@babel/runtime/helpers/esm/inheritsLoose.js?')},"./node_modules/@babel/runtime/helpers/esm/objectWithoutPropertiesLoose.js": /*!*********************************************************************************!*\ !*** ./node_modules/@babel/runtime/helpers/esm/objectWithoutPropertiesLoose.js ***! \*********************************************************************************/ /*! exports provided: default */function node_modulesBabelRuntimeHelpersEsmObjectWithoutPropertiesLooseJs(module,__webpack_exports__,__webpack_require__){eval('__webpack_require__.r(__webpack_exports__);\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "default", function() { return _objectWithoutPropertiesLoose; });\nfunction _objectWithoutPropertiesLoose(source, excluded) {\n if (source == null) return {};\n var target = {};\n var sourceKeys = Object.keys(source);\n var key, i;\n\n for (i = 0; i < sourceKeys.length; i++) {\n key = sourceKeys[i];\n if (excluded.indexOf(key) >= 0) continue;\n target[key] = source[key];\n }\n\n return target;\n}\n\n//# sourceURL=webpack://veritas/./node_modules/@babel/runtime/helpers/esm/objectWithoutPropertiesLoose.js?')},"./node_modules/Downshift/dist/downshift.esm.js": /*!******************************************************!*\ !*** ./node_modules/Downshift/dist/downshift.esm.js ***! \******************************************************/ /*! exports provided: default, resetIdCounter */function node_modulesDownshiftDistDownshiftEsmJs(module,__webpack_exports__,__webpack_require__){eval("__webpack_require__.r(__webpack_exports__);\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, \"resetIdCounter\", function() { return resetIdCounter; });\n/* harmony import */ var compute_scroll_into_view__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! compute-scroll-into-view */ \"./node_modules/compute-scroll-into-view/es/index.js\");\n/* harmony import */ var _babel_runtime_helpers_esm_objectWithoutPropertiesLoose__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! @babel/runtime/helpers/esm/objectWithoutPropertiesLoose */ \"./node_modules/@babel/runtime/helpers/esm/objectWithoutPropertiesLoose.js\");\n/* harmony import */ var _babel_runtime_helpers_esm_extends__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! @babel/runtime/helpers/esm/extends */ \"./node_modules/@babel/runtime/helpers/esm/extends.js\");\n/* harmony import */ var _babel_runtime_helpers_esm_inheritsLoose__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! @babel/runtime/helpers/esm/inheritsLoose */ \"./node_modules/@babel/runtime/helpers/esm/inheritsLoose.js\");\n/* harmony import */ var _babel_runtime_helpers_esm_assertThisInitialized__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! @babel/runtime/helpers/esm/assertThisInitialized */ \"./node_modules/@babel/runtime/helpers/esm/assertThisInitialized.js\");\n/* harmony import */ var react__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! react */ \"react\");\n/* harmony import */ var react__WEBPACK_IMPORTED_MODULE_5___default = /*#__PURE__*/__webpack_require__.n(react__WEBPACK_IMPORTED_MODULE_5__);\n/* harmony import */ var prop_types__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! prop-types */ \"prop-types\");\n/* harmony import */ var prop_types__WEBPACK_IMPORTED_MODULE_6___default = /*#__PURE__*/__webpack_require__.n(prop_types__WEBPACK_IMPORTED_MODULE_6__);\n/* harmony import */ var react_is__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! react-is */ \"./node_modules/react-is/index.js\");\n/* harmony import */ var react_is__WEBPACK_IMPORTED_MODULE_7___default = /*#__PURE__*/__webpack_require__.n(react_is__WEBPACK_IMPORTED_MODULE_7__);\n\n\n\n\n\n\n\n\n\n// istanbul ignore next\nvar statusDiv = typeof document === 'undefined' ? null : document.getElementById('a11y-status-message');\nvar statuses = [];\n/**\n * @param {String} status the status message\n */\n\nfunction setStatus(status) {\n var isSameAsLast = statuses[statuses.length - 1] === status;\n\n if (isSameAsLast) {\n statuses = statuses.concat([status]);\n } else {\n statuses = [status];\n }\n\n var div = getStatusDiv(); // Remove previous children\n\n while (div.lastChild) {\n div.removeChild(div.firstChild);\n }\n\n statuses.filter(Boolean).forEach(function (statusItem, index) {\n div.appendChild(getStatusChildDiv(statusItem, index));\n });\n}\n/**\n * @param {String} status the status message\n * @param {Number} index the index\n * @return {HTMLElement} the child node\n */\n\n\nfunction getStatusChildDiv(status, index) {\n var display = index === statuses.length - 1 ? 'block' : 'none';\n var childDiv = document.createElement('div');\n childDiv.style.display = display;\n childDiv.textContent = status;\n return childDiv;\n}\n/**\n * Get the status node or create it if it does not already exist\n * @return {HTMLElement} the status node\n */\n\n\nfunction getStatusDiv() {\n if (statusDiv) {\n return statusDiv;\n }\n\n statusDiv = document.createElement('div');\n statusDiv.setAttribute('id', 'a11y-status-message');\n statusDiv.setAttribute('role', 'status');\n statusDiv.setAttribute('aria-live', 'assertive');\n statusDiv.setAttribute('aria-relevant', 'additions text');\n Object.assign(statusDiv.style, {\n border: '0',\n clip: 'rect(0 0 0 0)',\n height: '1px',\n margin: '-1px',\n overflow: 'hidden',\n padding: '0',\n position: 'absolute',\n width: '1px'\n });\n document.body.appendChild(statusDiv);\n return statusDiv;\n}\n\nvar unknown = true ? '__autocomplete_unknown__' : undefined;\nvar mouseUp = true ? '__autocomplete_mouseup__' : undefined;\nvar itemMouseEnter = true ? '__autocomplete_item_mouseenter__' : undefined;\nvar keyDownArrowUp = true ? '__autocomplete_keydown_arrow_up__' : undefined;\nvar keyDownArrowDown = true ? '__autocomplete_keydown_arrow_down__' : undefined;\nvar keyDownEscape = true ? '__autocomplete_keydown_escape__' : undefined;\nvar keyDownEnter = true ? '__autocomplete_keydown_enter__' : undefined;\nvar clickItem = true ? '__autocomplete_click_item__' : undefined;\nvar blurInput = true ? '__autocomplete_blur_input__' : undefined;\nvar changeInput = true ? '__autocomplete_change_input__' : undefined;\nvar keyDownSpaceButton = true ? '__autocomplete_keydown_space_button__' : undefined;\nvar clickButton = true ? '__autocomplete_click_button__' : undefined;\nvar blurButton = true ? '__autocomplete_blur_button__' : undefined;\nvar controlledPropUpdatedSelectedItem = true ? '__autocomplete_controlled_prop_updated_selected_item__' : undefined;\nvar touchEnd = true ? '__autocomplete_touchend__' : undefined;\n\nvar stateChangeTypes = /*#__PURE__*/Object.freeze({\n unknown: unknown,\n mouseUp: mouseUp,\n itemMouseEnter: itemMouseEnter,\n keyDownArrowUp: keyDownArrowUp,\n keyDownArrowDown: keyDownArrowDown,\n keyDownEscape: keyDownEscape,\n keyDownEnter: keyDownEnter,\n clickItem: clickItem,\n blurInput: blurInput,\n changeInput: changeInput,\n keyDownSpaceButton: keyDownSpaceButton,\n clickButton: clickButton,\n blurButton: blurButton,\n controlledPropUpdatedSelectedItem: controlledPropUpdatedSelectedItem,\n touchEnd: touchEnd\n});\n\nvar idCounter = 0;\n/**\n * Accepts a parameter and returns it if it's a function\n * or a noop function if it's not. This allows us to\n * accept a callback, but not worry about it if it's not\n * passed.\n * @param {Function} cb the callback\n * @return {Function} a function\n */\n\nfunction cbToCb(cb) {\n return typeof cb === 'function' ? cb : noop;\n}\n\nfunction noop() {}\n/**\n * Scroll node into view if necessary\n * @param {HTMLElement} node the element that should scroll into view\n * @param {HTMLElement} rootNode the root element of the component\n */\n\n\nfunction scrollIntoView(node, rootNode) {\n if (node === null) {\n return;\n }\n\n var actions = Object(compute_scroll_into_view__WEBPACK_IMPORTED_MODULE_0__[\"default\"])(node, {\n boundary: rootNode,\n block: 'nearest',\n scrollMode: 'if-needed'\n });\n actions.forEach(function (_ref) {\n var el = _ref.el,\n top = _ref.top,\n left = _ref.left;\n el.scrollTop = top;\n el.scrollLeft = left;\n });\n}\n/**\n * @param {HTMLElement} parent the parent node\n * @param {HTMLElement} child the child node\n * @return {Boolean} whether the parent is the child or the child is in the parent\n */\n\n\nfunction isOrContainsNode(parent, child) {\n return parent === child || parent.contains && parent.contains(child);\n}\n/**\n * Simple debounce implementation. Will call the given\n * function once after the time given has passed since\n * it was last called.\n * @param {Function} fn the function to call after the time\n * @param {Number} time the time to wait\n * @return {Function} the debounced function\n */\n\n\nfunction debounce(fn, time) {\n var timeoutId;\n\n function cancel() {\n if (timeoutId) {\n clearTimeout(timeoutId);\n }\n }\n\n function wrapper() {\n for (var _len = arguments.length, args = new Array(_len), _key = 0; _key < _len; _key++) {\n args[_key] = arguments[_key];\n }\n\n cancel();\n timeoutId = setTimeout(function () {\n timeoutId = null;\n fn.apply(void 0, args);\n }, time);\n }\n\n wrapper.cancel = cancel;\n return wrapper;\n}\n/**\n * This is intended to be used to compose event handlers.\n * They are executed in order until one of them sets\n * `event.preventDownshiftDefault = true`.\n * @param {...Function} fns the event handler functions\n * @return {Function} the event handler to add to an element\n */\n\n\nfunction callAllEventHandlers() {\n for (var _len2 = arguments.length, fns = new Array(_len2), _key2 = 0; _key2 < _len2; _key2++) {\n fns[_key2] = arguments[_key2];\n }\n\n return function (event) {\n for (var _len3 = arguments.length, args = new Array(_len3 > 1 ? _len3 - 1 : 0), _key3 = 1; _key3 < _len3; _key3++) {\n args[_key3 - 1] = arguments[_key3];\n }\n\n return fns.some(function (fn) {\n if (fn) {\n fn.apply(void 0, [event].concat(args));\n }\n\n return event.preventDownshiftDefault || event.hasOwnProperty('nativeEvent') && event.nativeEvent.preventDownshiftDefault;\n });\n };\n}\n/**\n * This return a function that will call all the given functions with\n * the arguments with which it's called. It does a null-check before\n * attempting to call the functions and can take any number of functions.\n * @param {...Function} fns the functions to call\n * @return {Function} the function that calls all the functions\n */\n\n\nfunction callAll() {\n for (var _len4 = arguments.length, fns = new Array(_len4), _key4 = 0; _key4 < _len4; _key4++) {\n fns[_key4] = arguments[_key4];\n }\n\n return function () {\n for (var _len5 = arguments.length, args = new Array(_len5), _key5 = 0; _key5 < _len5; _key5++) {\n args[_key5] = arguments[_key5];\n }\n\n fns.forEach(function (fn) {\n if (fn) {\n fn.apply(void 0, args);\n }\n });\n };\n}\n/**\n * This generates a unique ID for an instance of Downshift\n * @return {String} the unique ID\n */\n\n\nfunction generateId() {\n return String(idCounter++);\n}\n/**\n * Resets idCounter to 0. Used for SSR.\n */\n\n\nfunction resetIdCounter() {\n idCounter = 0;\n}\n/**\n * @param {Object} param the downshift state and other relevant properties\n * @return {String} the a11y status message\n */\n\n\nfunction getA11yStatusMessage(_ref2) {\n var isOpen = _ref2.isOpen,\n highlightedItem = _ref2.highlightedItem,\n selectedItem = _ref2.selectedItem,\n resultCount = _ref2.resultCount,\n previousResultCount = _ref2.previousResultCount,\n itemToString = _ref2.itemToString;\n\n if (!isOpen) {\n if (selectedItem) {\n return itemToString(selectedItem);\n } else {\n return '';\n }\n }\n\n if (!resultCount) {\n return 'No results.';\n } else if (!highlightedItem || resultCount !== previousResultCount) {\n return resultCount + \" \" + (resultCount === 1 ? 'result is' : 'results are') + \" available, use up and down arrow keys to navigate.\";\n }\n\n return itemToString(highlightedItem);\n}\n/**\n * Takes an argument and if it's an array, returns the first item in the array\n * otherwise returns the argument\n * @param {*} arg the maybe-array\n * @param {*} defaultValue the value if arg is falsey not defined\n * @return {*} the arg or it's first item\n */\n\n\nfunction unwrapArray(arg, defaultValue) {\n arg = Array.isArray(arg) ?\n /* istanbul ignore next (preact) */\n arg[0] : arg;\n\n if (!arg && defaultValue) {\n return defaultValue;\n } else {\n return arg;\n }\n}\n/**\n * @param {Object} element (P)react element\n * @return {Boolean} whether it's a DOM element\n */\n\n\nfunction isDOMElement(element) {\n // then we assume this is react\n return typeof element.type === 'string';\n}\n/**\n * @param {Object} element (P)react element\n * @return {Object} the props\n */\n\n\nfunction getElementProps(element) {\n return element.props;\n}\n/**\n * Throws a helpful error message for required properties. Useful\n * to be used as a default in destructuring or object params.\n * @param {String} fnName the function name\n * @param {String} propName the prop name\n */\n\n\nfunction requiredProp(fnName, propName) {\n // eslint-disable-next-line no-console\n console.error(\"The property \\\"\" + propName + \"\\\" is required in \\\"\" + fnName + \"\\\"\");\n}\n\nvar stateKeys = ['highlightedIndex', 'inputValue', 'isOpen', 'selectedItem', 'type'];\n/**\n * @param {Object} state the state object\n * @return {Object} state that is relevant to downshift\n */\n\nfunction pickState(state) {\n if (state === void 0) {\n state = {};\n }\n\n var result = {};\n stateKeys.forEach(function (k) {\n if (state.hasOwnProperty(k)) {\n result[k] = state[k];\n }\n });\n return result;\n}\n/**\n * Normalizes the 'key' property of a KeyboardEvent in IE/Edge\n * @param {Object} event a keyboardEvent object\n * @return {String} keyboard key\n */\n\n\nfunction normalizeArrowKey(event) {\n var key = event.key,\n keyCode = event.keyCode;\n /* istanbul ignore next (ie) */\n\n if (keyCode >= 37 && keyCode <= 40 && key.indexOf('Arrow') !== 0) {\n return \"Arrow\" + key;\n }\n\n return key;\n}\n/**\n * Simple check if the value passed is object literal\n * @param {*} obj any things\n * @return {Boolean} whether it's object literal\n */\n\n\nfunction isPlainObject(obj) {\n return Object.prototype.toString.call(obj) === '[object Object]';\n}\n\nvar Downshift =\n/*#__PURE__*/\nfunction (_Component) {\n Object(_babel_runtime_helpers_esm_inheritsLoose__WEBPACK_IMPORTED_MODULE_3__[\"default\"])(Downshift, _Component);\n\n function Downshift(_props) {\n var _this = _Component.call(this, _props) || this;\n\n _this.id = _this.props.id || \"downshift-\" + generateId();\n _this.menuId = _this.props.menuId || _this.id + \"-menu\";\n _this.labelId = _this.props.labelId || _this.id + \"-label\";\n _this.inputId = _this.props.inputId || _this.id + \"-input\";\n\n _this.getItemId = _this.props.getItemId || function (index) {\n return _this.id + \"-item-\" + index;\n };\n\n _this.input = null;\n _this.items = [];\n _this.itemCount = null;\n _this.previousResultCount = 0;\n _this.timeoutIds = [];\n\n _this.internalSetTimeout = function (fn, time) {\n var id = setTimeout(function () {\n _this.timeoutIds = _this.timeoutIds.filter(function (i) {\n return i !== id;\n });\n fn();\n }, time);\n\n _this.timeoutIds.push(id);\n };\n\n _this.setItemCount = function (count) {\n _this.itemCount = count;\n };\n\n _this.unsetItemCount = function () {\n _this.itemCount = null;\n };\n\n _this.setHighlightedIndex = function (highlightedIndex, otherStateToSet) {\n if (highlightedIndex === void 0) {\n highlightedIndex = _this.props.defaultHighlightedIndex;\n }\n\n if (otherStateToSet === void 0) {\n otherStateToSet = {};\n }\n\n otherStateToSet = pickState(otherStateToSet);\n\n _this.internalSetState(Object(_babel_runtime_helpers_esm_extends__WEBPACK_IMPORTED_MODULE_2__[\"default\"])({\n highlightedIndex: highlightedIndex\n }, otherStateToSet));\n };\n\n _this.clearSelection = function (cb) {\n _this.internalSetState({\n selectedItem: null,\n inputValue: '',\n highlightedIndex: _this.props.defaultHighlightedIndex,\n isOpen: _this.props.defaultIsOpen\n }, cb);\n };\n\n _this.selectItem = function (item, otherStateToSet, cb) {\n otherStateToSet = pickState(otherStateToSet);\n\n _this.internalSetState(Object(_babel_runtime_helpers_esm_extends__WEBPACK_IMPORTED_MODULE_2__[\"default\"])({\n isOpen: _this.props.defaultIsOpen,\n highlightedIndex: _this.props.defaultHighlightedIndex,\n selectedItem: item,\n inputValue: _this.props.itemToString(item)\n }, otherStateToSet), cb);\n };\n\n _this.selectItemAtIndex = function (itemIndex, otherStateToSet, cb) {\n var item = _this.items[itemIndex];\n\n if (item == null) {\n return;\n }\n\n _this.selectItem(item, otherStateToSet, cb);\n };\n\n _this.selectHighlightedItem = function (otherStateToSet, cb) {\n return _this.selectItemAtIndex(_this.getState().highlightedIndex, otherStateToSet, cb);\n };\n\n _this.internalSetState = function (stateToSet, cb) {\n var isItemSelected, onChangeArg;\n var onStateChangeArg = {};\n var isStateToSetFunction = typeof stateToSet === 'function'; // we want to call `onInputValueChange` before the `setState` call\n // so someone controlling the `inputValue` state gets notified of\n // the input change as soon as possible. This avoids issues with\n // preserving the cursor position.\n // See https://github.com/paypal/downshift/issues/217 for more info.\n\n if (!isStateToSetFunction && stateToSet.hasOwnProperty('inputValue')) {\n _this.props.onInputValueChange(stateToSet.inputValue, Object(_babel_runtime_helpers_esm_extends__WEBPACK_IMPORTED_MODULE_2__[\"default\"])({}, _this.getStateAndHelpers(), stateToSet));\n }\n\n return _this.setState(function (state) {\n state = _this.getState(state);\n var newStateToSet = isStateToSetFunction ? stateToSet(state) : stateToSet; // Your own function that could modify the state that will be set.\n\n newStateToSet = _this.props.stateReducer(state, newStateToSet); // checks if an item is selected, regardless of if it's different from\n // what was selected before\n // used to determine if onSelect and onChange callbacks should be called\n\n isItemSelected = newStateToSet.hasOwnProperty('selectedItem'); // this keeps track of the object we want to call with setState\n\n var nextState = {}; // this is just used to tell whether the state changed\n\n var nextFullState = {}; // we need to call on change if the outside world is controlling any of our state\n // and we're trying to update that state. OR if the selection has changed and we're\n // trying to update the selection\n\n if (isItemSelected && newStateToSet.selectedItem !== state.selectedItem) {\n onChangeArg = newStateToSet.selectedItem;\n }\n\n newStateToSet.type = newStateToSet.type || unknown;\n Object.keys(newStateToSet).forEach(function (key) {\n // onStateChangeArg should only have the state that is\n // actually changing\n if (state[key] !== newStateToSet[key]) {\n onStateChangeArg[key] = newStateToSet[key];\n } // the type is useful for the onStateChangeArg\n // but we don't actually want to set it in internal state.\n // this is an undocumented feature for now... Not all internalSetState\n // calls support it and I'm not certain we want them to yet.\n // But it enables users controlling the isOpen state to know when\n // the isOpen state changes due to mouseup events which is quite handy.\n\n\n if (key === 'type') {\n return;\n }\n\n nextFullState[key] = newStateToSet[key]; // if it's coming from props, then we don't care to set it internally\n\n if (!_this.isControlledProp(key)) {\n nextState[key] = newStateToSet[key];\n }\n }); // if stateToSet is a function, then we weren't able to call onInputValueChange\n // earlier, so we'll call it now that we know what the inputValue state will be.\n\n if (isStateToSetFunction && newStateToSet.hasOwnProperty('inputValue')) {\n _this.props.onInputValueChange(newStateToSet.inputValue, Object(_babel_runtime_helpers_esm_extends__WEBPACK_IMPORTED_MODULE_2__[\"default\"])({}, _this.getStateAndHelpers(), newStateToSet));\n }\n\n return nextState;\n }, function () {\n // call the provided callback if it's a function\n cbToCb(cb)(); // only call the onStateChange and onChange callbacks if\n // we have relevant information to pass them.\n\n var hasMoreStateThanType = Object.keys(onStateChangeArg).length > 1;\n\n if (hasMoreStateThanType) {\n _this.props.onStateChange(onStateChangeArg, _this.getStateAndHelpers());\n }\n\n if (isItemSelected) {\n _this.props.onSelect(stateToSet.selectedItem, _this.getStateAndHelpers());\n }\n\n if (onChangeArg !== undefined) {\n _this.props.onChange(onChangeArg, _this.getStateAndHelpers());\n } // this is currently undocumented and therefore subject to change\n // We'll try to not break it, but just be warned.\n\n\n _this.props.onUserAction(onStateChangeArg, _this.getStateAndHelpers());\n });\n };\n\n _this.rootRef = function (node) {\n return _this._rootNode = node;\n };\n\n _this.getRootProps = function (_temp, _temp2) {\n var _extends2;\n\n var _ref = _temp === void 0 ? {} : _temp,\n _ref$refKey = _ref.refKey,\n refKey = _ref$refKey === void 0 ? 'ref' : _ref$refKey,\n rest = Object(_babel_runtime_helpers_esm_objectWithoutPropertiesLoose__WEBPACK_IMPORTED_MODULE_1__[\"default\"])(_ref, [\"refKey\"]);\n\n var _ref2 = _temp2 === void 0 ? {} : _temp2,\n _ref2$suppressRefErro = _ref2.suppressRefError,\n suppressRefError = _ref2$suppressRefErro === void 0 ? false : _ref2$suppressRefErro;\n\n // this is used in the render to know whether the user has called getRootProps.\n // It uses that to know whether to apply the props automatically\n _this.getRootProps.called = true;\n _this.getRootProps.refKey = refKey;\n _this.getRootProps.suppressRefError = suppressRefError;\n\n var _this$getState = _this.getState(),\n isOpen = _this$getState.isOpen;\n\n return Object(_babel_runtime_helpers_esm_extends__WEBPACK_IMPORTED_MODULE_2__[\"default\"])((_extends2 = {}, _extends2[refKey] = _this.rootRef, _extends2.role = 'combobox', _extends2['aria-expanded'] = isOpen, _extends2['aria-haspopup'] = 'listbox', _extends2['aria-owns'] = isOpen ? _this.menuId : null, _extends2['aria-labelledby'] = _this.labelId, _extends2), rest);\n };\n\n _this.keyDownHandlers = {\n ArrowDown: function ArrowDown(event) {\n event.preventDefault();\n var amount = event.shiftKey ? 5 : 1;\n this.moveHighlightedIndex(amount, {\n type: keyDownArrowDown\n });\n },\n ArrowUp: function ArrowUp(event) {\n event.preventDefault();\n var amount = event.shiftKey ? -5 : -1;\n this.moveHighlightedIndex(amount, {\n type: keyDownArrowUp\n });\n },\n Enter: function Enter(event) {\n var _this$getState2 = this.getState(),\n isOpen = _this$getState2.isOpen,\n highlightedIndex = _this$getState2.highlightedIndex;\n\n if (isOpen && highlightedIndex != null) {\n event.preventDefault();\n var item = this.items[highlightedIndex];\n var itemNode = this.getItemNodeFromIndex(highlightedIndex);\n\n if (item == null || itemNode && itemNode.hasAttribute('disabled')) {\n return;\n }\n\n this.selectHighlightedItem({\n type: keyDownEnter\n });\n }\n },\n Escape: function Escape(event) {\n event.preventDefault();\n this.reset({\n type: keyDownEscape\n });\n }\n };\n _this.buttonKeyDownHandlers = Object(_babel_runtime_helpers_esm_extends__WEBPACK_IMPORTED_MODULE_2__[\"default\"])({}, _this.keyDownHandlers, {\n ' ': function _(event) {\n event.preventDefault();\n this.toggleMenu({\n type: keyDownSpaceButton\n });\n }\n });\n\n _this.getToggleButtonProps = function (_temp3) {\n var _ref3 = _temp3 === void 0 ? {} : _temp3,\n onClick = _ref3.onClick,\n onPress = _ref3.onPress,\n onKeyDown = _ref3.onKeyDown,\n onKeyUp = _ref3.onKeyUp,\n onBlur = _ref3.onBlur,\n rest = Object(_babel_runtime_helpers_esm_objectWithoutPropertiesLoose__WEBPACK_IMPORTED_MODULE_1__[\"default\"])(_ref3, [\"onClick\", \"onPress\", \"onKeyDown\", \"onKeyUp\", \"onBlur\"]);\n\n var _this$getState3 = _this.getState(),\n isOpen = _this$getState3.isOpen;\n\n var enabledEventHandlers = {\n onClick: callAllEventHandlers(onClick, _this.button_handleClick),\n onKeyDown: callAllEventHandlers(onKeyDown, _this.button_handleKeyDown),\n onKeyUp: callAllEventHandlers(onKeyUp, _this.button_handleKeyUp),\n onBlur: callAllEventHandlers(onBlur, _this.button_handleBlur)\n };\n var eventHandlers = rest.disabled ? {} : enabledEventHandlers;\n return Object(_babel_runtime_helpers_esm_extends__WEBPACK_IMPORTED_MODULE_2__[\"default\"])({\n type: 'button',\n role: 'button',\n 'aria-label': isOpen ? 'close menu' : 'open menu',\n 'aria-haspopup': true,\n 'data-toggle': true\n }, eventHandlers, rest);\n };\n\n _this.button_handleKeyUp = function (event) {\n // Prevent click event from emitting in Firefox\n event.preventDefault();\n };\n\n _this.button_handleKeyDown = function (event) {\n var key = normalizeArrowKey(event);\n\n if (_this.buttonKeyDownHandlers[key]) {\n _this.buttonKeyDownHandlers[key].call(Object(_babel_runtime_helpers_esm_assertThisInitialized__WEBPACK_IMPORTED_MODULE_4__[\"default\"])(Object(_babel_runtime_helpers_esm_assertThisInitialized__WEBPACK_IMPORTED_MODULE_4__[\"default\"])(_this)), event);\n }\n };\n\n _this.button_handleClick = function (event) {\n event.preventDefault(); // handle odd case for Safari and Firefox which\n // don't give the button the focus properly.\n\n /* istanbul ignore if (can't reasonably test this) */\n\n if (_this.props.environment.document.activeElement === _this.props.environment.document.body) {\n event.target.focus();\n } // to simplify testing components that use downshift, we'll not wrap this in a setTimeout\n // if the NODE_ENV is test. With the proper build system, this should be dead code eliminated\n // when building for production and should therefore have no impact on production code.\n\n\n if (false) {} else {\n // Ensure that toggle of menu occurs after the potential blur event in iOS\n _this.internalSetTimeout(function () {\n return _this.toggleMenu({\n type: clickButton\n });\n });\n }\n };\n\n _this.button_handleBlur = function (event) {\n var blurTarget = event.target; // Save blur target for comparison with activeElement later\n // Need setTimeout, so that when the user presses Tab, the activeElement is the next focused element, not body element\n\n _this.internalSetTimeout(function () {\n if (!_this.isMouseDown && (_this.props.environment.document.activeElement == null || _this.props.environment.document.activeElement.id !== _this.inputId) && _this.props.environment.document.activeElement !== blurTarget // Do nothing if we refocus the same element again (to solve issue in Safari on iOS)\n ) {\n _this.reset({\n type: blurButton\n });\n }\n });\n };\n\n _this.getLabelProps = function (props) {\n return Object(_babel_runtime_helpers_esm_extends__WEBPACK_IMPORTED_MODULE_2__[\"default\"])({\n htmlFor: _this.inputId,\n id: _this.labelId\n }, props);\n };\n\n _this.getInputProps = function (_temp4) {\n var _ref4 = _temp4 === void 0 ? {} : _temp4,\n onKeyDown = _ref4.onKeyDown,\n onBlur = _ref4.onBlur,\n onChange = _ref4.onChange,\n onInput = _ref4.onInput,\n onChangeText = _ref4.onChangeText,\n rest = Object(_babel_runtime_helpers_esm_objectWithoutPropertiesLoose__WEBPACK_IMPORTED_MODULE_1__[\"default\"])(_ref4, [\"onKeyDown\", \"onBlur\", \"onChange\", \"onInput\", \"onChangeText\"]);\n\n var onChangeKey;\n var eventHandlers = {};\n /* istanbul ignore next (preact) */\n\n onChangeKey = 'onChange';\n\n var _this$getState4 = _this.getState(),\n inputValue = _this$getState4.inputValue,\n isOpen = _this$getState4.isOpen,\n highlightedIndex = _this$getState4.highlightedIndex;\n\n if (!rest.disabled) {\n var _eventHandlers;\n\n eventHandlers = (_eventHandlers = {}, _eventHandlers[onChangeKey] = callAllEventHandlers(onChange, onInput, _this.input_handleChange), _eventHandlers.onKeyDown = callAllEventHandlers(onKeyDown, _this.input_handleKeyDown), _eventHandlers.onBlur = callAllEventHandlers(onBlur, _this.input_handleBlur), _eventHandlers);\n }\n /* istanbul ignore if (react-native) */\n\n\n return Object(_babel_runtime_helpers_esm_extends__WEBPACK_IMPORTED_MODULE_2__[\"default\"])({\n 'aria-autocomplete': 'list',\n 'aria-activedescendant': isOpen && typeof highlightedIndex === 'number' && highlightedIndex >= 0 ? _this.getItemId(highlightedIndex) : null,\n 'aria-controls': isOpen ? _this.menuId : null,\n 'aria-labelledby': _this.labelId,\n // https://developer.mozilla.org/en-US/docs/Web/Security/Securing_your_site/Turning_off_form_autocompletion\n // revert back since autocomplete=\"nope\" is ignored on latest Chrome and Opera\n autoComplete: 'off',\n value: inputValue,\n id: _this.inputId\n }, eventHandlers, rest);\n };\n\n _this.input_handleKeyDown = function (event) {\n var key = normalizeArrowKey(event);\n\n if (key && _this.keyDownHandlers[key]) {\n _this.keyDownHandlers[key].call(Object(_babel_runtime_helpers_esm_assertThisInitialized__WEBPACK_IMPORTED_MODULE_4__[\"default\"])(Object(_babel_runtime_helpers_esm_assertThisInitialized__WEBPACK_IMPORTED_MODULE_4__[\"default\"])(_this)), event);\n }\n };\n\n _this.input_handleChange = function (event) {\n _this.internalSetState({\n type: changeInput,\n isOpen: true,\n inputValue: event.target.value\n });\n };\n\n _this.input_handleTextChange\n /* istanbul ignore next (react-native) */\n = function (text) {\n _this.internalSetState({\n type: changeInput,\n isOpen: true,\n inputValue: text\n });\n };\n\n _this.input_handleBlur = function () {\n // Need setTimeout, so that when the user presses Tab, the activeElement is the next focused element, not the body element\n _this.internalSetTimeout(function () {\n var downshiftButtonIsActive = _this.props.environment.document && _this.props.environment.document.activeElement.dataset.toggle && _this._rootNode && _this._rootNode.contains(_this.props.environment.document.activeElement);\n\n if (!_this.isMouseDown && !downshiftButtonIsActive) {\n _this.reset({\n type: blurInput\n });\n }\n });\n };\n\n _this.menuRef = function (node) {\n _this._menuNode = node;\n };\n\n _this.getMenuProps = function (_temp5, _temp6) {\n var _extends3;\n\n var _ref5 = _temp5 === void 0 ? {} : _temp5,\n _ref5$refKey = _ref5.refKey,\n refKey = _ref5$refKey === void 0 ? 'ref' : _ref5$refKey,\n ref = _ref5.ref,\n props = Object(_babel_runtime_helpers_esm_objectWithoutPropertiesLoose__WEBPACK_IMPORTED_MODULE_1__[\"default\"])(_ref5, [\"refKey\", \"ref\"]);\n\n var _ref6 = _temp6 === void 0 ? {} : _temp6,\n _ref6$suppressRefErro = _ref6.suppressRefError,\n suppressRefError = _ref6$suppressRefErro === void 0 ? false : _ref6$suppressRefErro;\n\n _this.getMenuProps.called = true;\n _this.getMenuProps.refKey = refKey;\n _this.getMenuProps.suppressRefError = suppressRefError;\n return Object(_babel_runtime_helpers_esm_extends__WEBPACK_IMPORTED_MODULE_2__[\"default\"])((_extends3 = {}, _extends3[refKey] = callAll(ref, _this.menuRef), _extends3.role = 'listbox', _extends3['aria-labelledby'] = props && props['aria-label'] ? null : _this.labelId, _extends3.id = _this.menuId, _extends3), props);\n };\n\n _this.getItemProps = function (_temp7) {\n var _enabledEventHandlers;\n\n var _ref7 = _temp7 === void 0 ? {} : _temp7,\n onMouseMove = _ref7.onMouseMove,\n onMouseDown = _ref7.onMouseDown,\n onClick = _ref7.onClick,\n onPress = _ref7.onPress,\n index = _ref7.index,\n _ref7$item = _ref7.item,\n item = _ref7$item === void 0 ? false ?\n /* istanbul ignore next */\n undefined : requiredProp('getItemProps', 'item') : _ref7$item,\n rest = Object(_babel_runtime_helpers_esm_objectWithoutPropertiesLoose__WEBPACK_IMPORTED_MODULE_1__[\"default\"])(_ref7, [\"onMouseMove\", \"onMouseDown\", \"onClick\", \"onPress\", \"index\", \"item\"]);\n\n if (index === undefined) {\n _this.items.push(item);\n\n index = _this.items.indexOf(item);\n } else {\n _this.items[index] = item;\n }\n\n var onSelectKey = 'onClick';\n var customClickHandler = onClick;\n var enabledEventHandlers = (_enabledEventHandlers = {\n // onMouseMove is used over onMouseEnter here. onMouseMove\n // is only triggered on actual mouse movement while onMouseEnter\n // can fire on DOM changes, interrupting keyboard navigation\n onMouseMove: callAllEventHandlers(onMouseMove, function () {\n if (index === _this.getState().highlightedIndex) {\n return;\n }\n\n _this.setHighlightedIndex(index, {\n type: itemMouseEnter\n }); // We never want to manually scroll when changing state based\n // on `onMouseMove` because we will be moving the element out\n // from under the user which is currently scrolling/moving the\n // cursor\n\n\n _this.avoidScrolling = true;\n\n _this.internalSetTimeout(function () {\n return _this.avoidScrolling = false;\n }, 250);\n }),\n onMouseDown: callAllEventHandlers(onMouseDown, function (event) {\n // This prevents the activeElement from being changed\n // to the item so it can remain with the current activeElement\n // which is a more common use case.\n event.preventDefault();\n })\n }, _enabledEventHandlers[onSelectKey] = callAllEventHandlers(customClickHandler, function () {\n _this.selectItemAtIndex(index, {\n type: clickItem\n });\n }), _enabledEventHandlers); // Passing down the onMouseDown handler to prevent redirect\n // of the activeElement if clicking on disabled items\n\n var eventHandlers = rest.disabled ? {\n onMouseDown: enabledEventHandlers.onMouseDown\n } : enabledEventHandlers;\n return Object(_babel_runtime_helpers_esm_extends__WEBPACK_IMPORTED_MODULE_2__[\"default\"])({\n id: _this.getItemId(index),\n role: 'option',\n 'aria-selected': _this.getState().selectedItem === item\n }, eventHandlers, rest);\n };\n\n _this.clearItems = function () {\n _this.items = [];\n };\n\n _this.reset = function (otherStateToSet, cb) {\n if (otherStateToSet === void 0) {\n otherStateToSet = {};\n }\n\n otherStateToSet = pickState(otherStateToSet);\n\n _this.internalSetState(function (_ref8) {\n var selectedItem = _ref8.selectedItem;\n return Object(_babel_runtime_helpers_esm_extends__WEBPACK_IMPORTED_MODULE_2__[\"default\"])({\n isOpen: _this.props.defaultIsOpen,\n highlightedIndex: _this.props.defaultHighlightedIndex,\n inputValue: _this.props.itemToString(selectedItem)\n }, otherStateToSet);\n }, cb);\n };\n\n _this.toggleMenu = function (otherStateToSet, cb) {\n if (otherStateToSet === void 0) {\n otherStateToSet = {};\n }\n\n otherStateToSet = pickState(otherStateToSet);\n\n _this.internalSetState(function (_ref9) {\n var isOpen = _ref9.isOpen;\n return Object(_babel_runtime_helpers_esm_extends__WEBPACK_IMPORTED_MODULE_2__[\"default\"])({\n isOpen: !isOpen\n }, otherStateToSet);\n }, function () {\n var _this$getState5 = _this.getState(),\n isOpen = _this$getState5.isOpen;\n\n if (isOpen) {\n // highlight default index\n _this.setHighlightedIndex(undefined, otherStateToSet);\n }\n\n cbToCb(cb)();\n });\n };\n\n _this.openMenu = function (cb) {\n _this.internalSetState({\n isOpen: true\n }, cb);\n };\n\n _this.closeMenu = function (cb) {\n _this.internalSetState({\n isOpen: false\n }, cb);\n };\n\n _this.updateStatus = debounce(function () {\n var state = _this.getState();\n\n var item = _this.items[state.highlightedIndex];\n\n var resultCount = _this.getItemCount();\n\n var status = _this.props.getA11yStatusMessage(Object(_babel_runtime_helpers_esm_extends__WEBPACK_IMPORTED_MODULE_2__[\"default\"])({\n itemToString: _this.props.itemToString,\n previousResultCount: _this.previousResultCount,\n resultCount: resultCount,\n highlightedItem: item\n }, state));\n\n _this.previousResultCount = resultCount;\n setStatus(status);\n }, 200);\n\n // fancy destructuring + defaults + aliases\n // this basically says each value of state should either be set to\n // the initial value or the default value if the initial value is not provided\n var _this$props = _this.props,\n defaultHighlightedIndex = _this$props.defaultHighlightedIndex,\n _this$props$initialHi = _this$props.initialHighlightedIndex,\n _highlightedIndex = _this$props$initialHi === void 0 ? defaultHighlightedIndex : _this$props$initialHi,\n defaultIsOpen = _this$props.defaultIsOpen,\n _this$props$initialIs = _this$props.initialIsOpen,\n _isOpen = _this$props$initialIs === void 0 ? defaultIsOpen : _this$props$initialIs,\n _this$props$initialIn = _this$props.initialInputValue,\n _inputValue = _this$props$initialIn === void 0 ? '' : _this$props$initialIn,\n _this$props$initialSe = _this$props.initialSelectedItem,\n _selectedItem = _this$props$initialSe === void 0 ? null : _this$props$initialSe;\n\n var _state = _this.getState({\n highlightedIndex: _highlightedIndex,\n isOpen: _isOpen,\n inputValue: _inputValue,\n selectedItem: _selectedItem\n });\n\n if (_state.selectedItem != null && _this.props.initialInputValue === undefined) {\n _state.inputValue = _this.props.itemToString(_state.selectedItem);\n }\n\n _this.state = _state;\n return _this;\n }\n\n var _proto = Downshift.prototype;\n\n /**\n * Clear all running timeouts\n */\n _proto.internalClearTimeouts = function internalClearTimeouts() {\n this.timeoutIds.forEach(function (id) {\n clearTimeout(id);\n });\n this.timeoutIds = [];\n };\n /**\n * Gets the state based on internal state or props\n * If a state value is passed via props, then that\n * is the value given, otherwise it's retrieved from\n * stateToMerge\n *\n * This will perform a shallow merge of the given state object\n * with the state coming from props\n * (for the controlled component scenario)\n * This is used in state updater functions so they're referencing\n * the right state regardless of where it comes from.\n *\n * @param {Object} stateToMerge defaults to this.state\n * @return {Object} the state\n */\n\n\n _proto.getState = function getState(stateToMerge) {\n var _this2 = this;\n\n if (stateToMerge === void 0) {\n stateToMerge = this.state;\n }\n\n return Object.keys(stateToMerge).reduce(function (state, key) {\n state[key] = _this2.isControlledProp(key) ? _this2.props[key] : stateToMerge[key];\n return state;\n }, {});\n };\n /**\n * This determines whether a prop is a \"controlled prop\" meaning it is\n * state which is controlled by the outside of this component rather\n * than within this component.\n * @param {String} key the key to check\n * @return {Boolean} whether it is a controlled controlled prop\n */\n\n\n _proto.isControlledProp = function isControlledProp(key) {\n return this.props[key] !== undefined;\n };\n\n _proto.getItemCount = function getItemCount() {\n // things read better this way. They're in priority order:\n // 1. `this.itemCount`\n // 2. `this.props.itemCount`\n // 3. `this.items.length`\n var itemCount = this.items.length;\n\n if (this.itemCount != null) {\n itemCount = this.itemCount;\n } else if (this.props.itemCount !== undefined) {\n itemCount = this.props.itemCount;\n }\n\n return itemCount;\n };\n\n _proto.getItemNodeFromIndex = function getItemNodeFromIndex(index) {\n return this.props.environment.document.getElementById(this.getItemId(index));\n };\n\n _proto.scrollHighlightedItemIntoView = function scrollHighlightedItemIntoView() {\n /* istanbul ignore else (react-native) */\n {\n var node = this.getItemNodeFromIndex(this.getState().highlightedIndex);\n this.props.scrollIntoView(node, this._rootNode);\n }\n };\n\n _proto.moveHighlightedIndex = function moveHighlightedIndex(amount, otherStateToSet) {\n var _this3 = this;\n\n if (this.getState().isOpen) {\n this.changeHighlightedIndex(amount, otherStateToSet);\n } else {\n this.openMenu(function () {\n var type = otherStateToSet.type;\n\n var itemCount = _this3.getItemCount();\n\n var newHighlightedIndex; // if there are items in the menu and event type is present.\n\n if (itemCount && type) {\n // on Arrow Down we highlight first option.\n if (type === keyDownArrowDown) {\n newHighlightedIndex = 0;\n } // on Arrow Up we highlight last option\n\n\n if (type === keyDownArrowUp) {\n newHighlightedIndex = itemCount - 1;\n }\n }\n\n _this3.setHighlightedIndex(newHighlightedIndex, Object(_babel_runtime_helpers_esm_extends__WEBPACK_IMPORTED_MODULE_2__[\"default\"])({}, otherStateToSet));\n });\n }\n };\n\n _proto.changeHighlightedIndex = function changeHighlightedIndex(moveAmount, otherStateToSet) {\n var itemsLastIndex = this.getItemCount() - 1;\n\n if (itemsLastIndex < 0) {\n return;\n }\n\n var _this$getState6 = this.getState(),\n highlightedIndex = _this$getState6.highlightedIndex;\n\n var baseIndex = highlightedIndex;\n\n if (baseIndex === null) {\n baseIndex = moveAmount > 0 ? -1 : itemsLastIndex + 1;\n }\n\n var newIndex = baseIndex + moveAmount;\n\n if (newIndex < 0) {\n newIndex = itemsLastIndex;\n } else if (newIndex > itemsLastIndex) {\n newIndex = 0;\n }\n\n this.setHighlightedIndex(newIndex, otherStateToSet);\n };\n\n _proto.getStateAndHelpers = function getStateAndHelpers() {\n var _this$getState7 = this.getState(),\n highlightedIndex = _this$getState7.highlightedIndex,\n inputValue = _this$getState7.inputValue,\n selectedItem = _this$getState7.selectedItem,\n isOpen = _this$getState7.isOpen;\n\n var itemToString = this.props.itemToString;\n var id = this.id;\n var getRootProps = this.getRootProps,\n getToggleButtonProps = this.getToggleButtonProps,\n getLabelProps = this.getLabelProps,\n getMenuProps = this.getMenuProps,\n getInputProps = this.getInputProps,\n getItemProps = this.getItemProps,\n openMenu = this.openMenu,\n closeMenu = this.closeMenu,\n toggleMenu = this.toggleMenu,\n selectItem = this.selectItem,\n selectItemAtIndex = this.selectItemAtIndex,\n selectHighlightedItem = this.selectHighlightedItem,\n setHighlightedIndex = this.setHighlightedIndex,\n clearSelection = this.clearSelection,\n clearItems = this.clearItems,\n reset = this.reset,\n setItemCount = this.setItemCount,\n unsetItemCount = this.unsetItemCount,\n setState = this.internalSetState;\n return {\n // prop getters\n getRootProps: getRootProps,\n getToggleButtonProps: getToggleButtonProps,\n getLabelProps: getLabelProps,\n getMenuProps: getMenuProps,\n getInputProps: getInputProps,\n getItemProps: getItemProps,\n // actions\n reset: reset,\n openMenu: openMenu,\n closeMenu: closeMenu,\n toggleMenu: toggleMenu,\n selectItem: selectItem,\n selectItemAtIndex: selectItemAtIndex,\n selectHighlightedItem: selectHighlightedItem,\n setHighlightedIndex: setHighlightedIndex,\n clearSelection: clearSelection,\n clearItems: clearItems,\n setItemCount: setItemCount,\n unsetItemCount: unsetItemCount,\n setState: setState,\n // props\n itemToString: itemToString,\n // derived\n id: id,\n // state\n highlightedIndex: highlightedIndex,\n inputValue: inputValue,\n isOpen: isOpen,\n selectedItem: selectedItem\n };\n }; //////////////////////////// ROOT\n\n\n _proto.componentDidMount = function componentDidMount() {\n var _this4 = this;\n\n /* istanbul ignore if (react-native) */\n if ( true && this.getMenuProps.called && !this.getMenuProps.suppressRefError) {\n validateGetMenuPropsCalledCorrectly(this._menuNode, this.getMenuProps);\n }\n /* istanbul ignore if (react-native) */\n\n\n {\n var targetWithinDownshift = function (target, checkActiveElement) {\n if (checkActiveElement === void 0) {\n checkActiveElement = true;\n }\n\n var document = _this4.props.environment.document;\n return [_this4._rootNode, _this4._menuNode].some(function (contextNode) {\n return contextNode && (isOrContainsNode(contextNode, target) || checkActiveElement && isOrContainsNode(contextNode, document.activeElement));\n });\n }; // this.isMouseDown helps us track whether the mouse is currently held down.\n // This is useful when the user clicks on an item in the list, but holds the mouse\n // down long enough for the list to disappear (because the blur event fires on the input)\n // this.isMouseDown is used in the blur handler on the input to determine whether the blur event should\n // trigger hiding the menu.\n\n\n var onMouseDown = function () {\n _this4.isMouseDown = true;\n };\n\n var onMouseUp = function (event) {\n _this4.isMouseDown = false; // if the target element or the activeElement is within a downshift node\n // then we don't want to reset downshift\n\n var contextWithinDownshift = targetWithinDownshift(event.target);\n\n if (!contextWithinDownshift && _this4.getState().isOpen) {\n _this4.reset({\n type: mouseUp\n }, function () {\n return _this4.props.onOuterClick(_this4.getStateAndHelpers());\n });\n }\n }; // Touching an element in iOS gives focus and hover states, but touching out of\n // the element will remove hover, and persist the focus state, resulting in the\n // blur event not being triggered.\n // this.isTouchMove helps us track whether the user is tapping or swiping on a touch screen.\n // If the user taps outside of Downshift, the component should be reset,\n // but not if the user is swiping\n\n\n var onTouchStart = function () {\n _this4.isTouchMove = false;\n };\n\n var onTouchMove = function () {\n _this4.isTouchMove = true;\n };\n\n var onTouchEnd = function (event) {\n var contextWithinDownshift = targetWithinDownshift(event.target, false);\n\n if (!_this4.isTouchMove && !contextWithinDownshift && _this4.getState().isOpen) {\n _this4.reset({\n type: touchEnd\n }, function () {\n return _this4.props.onOuterClick(_this4.getStateAndHelpers());\n });\n }\n };\n\n this.props.environment.addEventListener('mousedown', onMouseDown);\n this.props.environment.addEventListener('mouseup', onMouseUp);\n this.props.environment.addEventListener('touchstart', onTouchStart);\n this.props.environment.addEventListener('touchmove', onTouchMove);\n this.props.environment.addEventListener('touchend', onTouchEnd);\n\n this.cleanup = function () {\n _this4.internalClearTimeouts();\n\n _this4.updateStatus.cancel();\n\n _this4.props.environment.removeEventListener('mousedown', onMouseDown);\n\n _this4.props.environment.removeEventListener('mouseup', onMouseUp);\n\n _this4.props.environment.removeEventListener('touchstart', onTouchStart);\n\n _this4.props.environment.removeEventListener('touchmove', onTouchMove);\n\n _this4.props.environment.removeEventListener('touchend', onTouchEnd);\n };\n }\n };\n\n _proto.componentDidUpdate = function componentDidUpdate(prevProps, prevState) {\n if (true) {\n validateControlledUnchanged(prevProps, this.props);\n /* istanbul ignore if (react-native) */\n\n if (this.getMenuProps.called && !this.getMenuProps.suppressRefError) {\n validateGetMenuPropsCalledCorrectly(this._menuNode, this.getMenuProps);\n }\n }\n\n if (this.isControlledProp('selectedItem') && this.props.selectedItemChanged(prevProps.selectedItem, this.props.selectedItem)) {\n this.internalSetState({\n type: controlledPropUpdatedSelectedItem,\n inputValue: this.props.itemToString(this.props.selectedItem)\n });\n }\n\n var current = this.props.highlightedIndex === undefined ? this.state : this.props;\n var prev = prevProps.highlightedIndex === undefined ? prevState : prevProps;\n\n if (current.highlightedIndex !== prev.highlightedIndex && !this.avoidScrolling) {\n this.scrollHighlightedItemIntoView();\n }\n /* istanbul ignore else (react-native) */\n\n\n this.updateStatus();\n };\n\n _proto.componentWillUnmount = function componentWillUnmount() {\n this.cleanup(); // avoids memory leak\n };\n\n _proto.render = function render() {\n var children = unwrapArray(this.props.children, noop); // because the items are rerendered every time we call the children\n // we clear this out each render and it will be populated again as\n // getItemProps is called.\n\n this.clearItems(); // we reset this so we know whether the user calls getRootProps during\n // this render. If they do then we don't need to do anything,\n // if they don't then we need to clone the element they return and\n // apply the props for them.\n\n this.getRootProps.called = false;\n this.getRootProps.refKey = undefined;\n this.getRootProps.suppressRefError = undefined; // we do something similar for getMenuProps\n\n this.getMenuProps.called = false;\n this.getMenuProps.refKey = undefined;\n this.getMenuProps.suppressRefError = undefined; // we do something similar for getLabelProps\n\n this.getLabelProps.called = false; // and something similar for getInputProps\n\n this.getInputProps.called = false;\n var element = unwrapArray(children(this.getStateAndHelpers()));\n\n if (!element) {\n return null;\n }\n\n if (this.getRootProps.called || this.props.suppressRefError) {\n if ( true && !this.getRootProps.suppressRefError && !this.props.suppressRefError) {\n validateGetRootPropsCalledCorrectly(element, this.getRootProps);\n }\n\n return element;\n } else if (isDOMElement(element)) {\n // they didn't apply the root props, but we can clone\n // this and apply the props ourselves\n return react__WEBPACK_IMPORTED_MODULE_5___default.a.cloneElement(element, this.getRootProps(getElementProps(element)));\n }\n /* istanbul ignore else */\n\n\n if (true) {\n // they didn't apply the root props, but they need to\n // otherwise we can't query around the autocomplete\n throw new Error('downshift: If you return a non-DOM element, you must use apply the getRootProps function');\n }\n /* istanbul ignore next */\n\n\n return undefined;\n };\n\n return Downshift;\n}(react__WEBPACK_IMPORTED_MODULE_5__[\"Component\"]);\n\nDownshift.defaultProps = {\n defaultHighlightedIndex: null,\n defaultIsOpen: false,\n getA11yStatusMessage: getA11yStatusMessage,\n itemToString: function itemToString(i) {\n if (i == null) {\n return '';\n }\n\n if ( true && isPlainObject(i) && !i.hasOwnProperty('toString')) {\n // eslint-disable-next-line no-console\n console.warn('downshift: An object was passed to the default implementation of `itemToString`. You should probably provide your own `itemToString` implementation. Please refer to the `itemToString` API documentation.', 'The object that was passed:', i);\n }\n\n return String(i);\n },\n onStateChange: noop,\n onInputValueChange: noop,\n onUserAction: noop,\n onChange: noop,\n onSelect: noop,\n onOuterClick: noop,\n selectedItemChanged: function selectedItemChanged(prevItem, item) {\n return prevItem !== item;\n },\n environment: typeof window === 'undefined'\n /* istanbul ignore next (ssr) */\n ? {} : window,\n stateReducer: function stateReducer(state, stateToSet) {\n return stateToSet;\n },\n suppressRefError: false,\n scrollIntoView: scrollIntoView\n};\nDownshift.stateChangeTypes = stateChangeTypes;\n true ? Downshift.propTypes = {\n children: prop_types__WEBPACK_IMPORTED_MODULE_6___default.a.func,\n defaultHighlightedIndex: prop_types__WEBPACK_IMPORTED_MODULE_6___default.a.number,\n defaultIsOpen: prop_types__WEBPACK_IMPORTED_MODULE_6___default.a.bool,\n initialHighlightedIndex: prop_types__WEBPACK_IMPORTED_MODULE_6___default.a.number,\n initialSelectedItem: prop_types__WEBPACK_IMPORTED_MODULE_6___default.a.any,\n initialInputValue: prop_types__WEBPACK_IMPORTED_MODULE_6___default.a.string,\n initialIsOpen: prop_types__WEBPACK_IMPORTED_MODULE_6___default.a.bool,\n getA11yStatusMessage: prop_types__WEBPACK_IMPORTED_MODULE_6___default.a.func,\n itemToString: prop_types__WEBPACK_IMPORTED_MODULE_6___default.a.func,\n onChange: prop_types__WEBPACK_IMPORTED_MODULE_6___default.a.func,\n onSelect: prop_types__WEBPACK_IMPORTED_MODULE_6___default.a.func,\n onStateChange: prop_types__WEBPACK_IMPORTED_MODULE_6___default.a.func,\n onInputValueChange: prop_types__WEBPACK_IMPORTED_MODULE_6___default.a.func,\n onUserAction: prop_types__WEBPACK_IMPORTED_MODULE_6___default.a.func,\n onOuterClick: prop_types__WEBPACK_IMPORTED_MODULE_6___default.a.func,\n selectedItemChanged: prop_types__WEBPACK_IMPORTED_MODULE_6___default.a.func,\n stateReducer: prop_types__WEBPACK_IMPORTED_MODULE_6___default.a.func,\n itemCount: prop_types__WEBPACK_IMPORTED_MODULE_6___default.a.number,\n id: prop_types__WEBPACK_IMPORTED_MODULE_6___default.a.string,\n environment: prop_types__WEBPACK_IMPORTED_MODULE_6___default.a.shape({\n addEventListener: prop_types__WEBPACK_IMPORTED_MODULE_6___default.a.func,\n removeEventListener: prop_types__WEBPACK_IMPORTED_MODULE_6___default.a.func,\n document: prop_types__WEBPACK_IMPORTED_MODULE_6___default.a.shape({\n getElementById: prop_types__WEBPACK_IMPORTED_MODULE_6___default.a.func,\n activeElement: prop_types__WEBPACK_IMPORTED_MODULE_6___default.a.any,\n body: prop_types__WEBPACK_IMPORTED_MODULE_6___default.a.any\n })\n }),\n suppressRefError: prop_types__WEBPACK_IMPORTED_MODULE_6___default.a.bool,\n scrollIntoView: prop_types__WEBPACK_IMPORTED_MODULE_6___default.a.func,\n // things we keep in state for uncontrolled components\n // but can accept as props for controlled components\n\n /* eslint-disable react/no-unused-prop-types */\n selectedItem: prop_types__WEBPACK_IMPORTED_MODULE_6___default.a.any,\n isOpen: prop_types__WEBPACK_IMPORTED_MODULE_6___default.a.bool,\n inputValue: prop_types__WEBPACK_IMPORTED_MODULE_6___default.a.string,\n highlightedIndex: prop_types__WEBPACK_IMPORTED_MODULE_6___default.a.number,\n labelId: prop_types__WEBPACK_IMPORTED_MODULE_6___default.a.string,\n inputId: prop_types__WEBPACK_IMPORTED_MODULE_6___default.a.string,\n menuId: prop_types__WEBPACK_IMPORTED_MODULE_6___default.a.string,\n getItemId: prop_types__WEBPACK_IMPORTED_MODULE_6___default.a.func\n /* eslint-enable react/no-unused-prop-types */\n\n} : undefined;\n\nfunction validateGetMenuPropsCalledCorrectly(node, _ref10) {\n var refKey = _ref10.refKey;\n\n if (!node) {\n // eslint-disable-next-line no-console\n console.error(\"downshift: The ref prop \\\"\" + refKey + \"\\\" from getMenuProps was not applied correctly on your menu element.\");\n }\n}\n\nfunction validateGetRootPropsCalledCorrectly(element, _ref11) {\n var refKey = _ref11.refKey;\n var refKeySpecified = refKey !== 'ref';\n var isComposite = !isDOMElement(element);\n\n if (isComposite && !refKeySpecified && !Object(react_is__WEBPACK_IMPORTED_MODULE_7__[\"isForwardRef\"])(element)) {\n // eslint-disable-next-line no-console\n console.error('downshift: You returned a non-DOM element. You must specify a refKey in getRootProps');\n } else if (!isComposite && refKeySpecified) {\n // eslint-disable-next-line no-console\n console.error(\"downshift: You returned a DOM element. You should not specify a refKey in getRootProps. You specified \\\"\" + refKey + \"\\\"\");\n }\n\n if (!Object(react_is__WEBPACK_IMPORTED_MODULE_7__[\"isForwardRef\"])(element) && !getElementProps(element)[refKey]) {\n // eslint-disable-next-line no-console\n console.error(\"downshift: You must apply the ref prop \\\"\" + refKey + \"\\\" from getRootProps onto your root element.\");\n }\n}\n\nfunction validateControlledUnchanged(prevProps, nextProps) {\n var warningDescription = \"This prop should not switch from controlled to uncontrolled (or vice versa). Decide between using a controlled or uncontrolled Downshift element for the lifetime of the component. More info: https://github.com/paypal/downshift#control-props\";\n ['selectedItem', 'isOpen', 'inputValue', 'highlightedIndex'].forEach(function (propKey) {\n if (prevProps[propKey] !== undefined && nextProps[propKey] === undefined) {\n // eslint-disable-next-line no-console\n console.error(\"downshift: A component has changed the controlled prop \\\"\" + propKey + \"\\\" to be uncontrolled. \" + warningDescription);\n } else if (prevProps[propKey] === undefined && nextProps[propKey] !== undefined) {\n // eslint-disable-next-line no-console\n console.error(\"downshift: A component has changed the uncontrolled prop \\\"\" + propKey + \"\\\" to be controlled. \" + warningDescription);\n }\n });\n}\n\n/* harmony default export */ __webpack_exports__[\"default\"] = (Downshift);\n\n\n\n//# sourceURL=webpack://veritas/./node_modules/Downshift/dist/downshift.esm.js?")},"./node_modules/classnames/index.js": /*!******************************************!*\ !*** ./node_modules/classnames/index.js ***! \******************************************/ /*! no static exports found */function node_modulesClassnamesIndexJs(module,exports,__webpack_require__){eval("var __WEBPACK_AMD_DEFINE_ARRAY__, __WEBPACK_AMD_DEFINE_RESULT__;/*!\n Copyright (c) 2017 Jed Watson.\n Licensed under the MIT License (MIT), see\n http://jedwatson.github.io/classnames\n*/\n/* global define */\n\n(function () {\n\t'use strict';\n\n\tvar hasOwn = {}.hasOwnProperty;\n\n\tfunction classNames () {\n\t\tvar classes = [];\n\n\t\tfor (var i = 0; i < arguments.length; i++) {\n\t\t\tvar arg = arguments[i];\n\t\t\tif (!arg) continue;\n\n\t\t\tvar argType = typeof arg;\n\n\t\t\tif (argType === 'string' || argType === 'number') {\n\t\t\t\tclasses.push(arg);\n\t\t\t} else if (Array.isArray(arg) && arg.length) {\n\t\t\t\tvar inner = classNames.apply(null, arg);\n\t\t\t\tif (inner) {\n\t\t\t\t\tclasses.push(inner);\n\t\t\t\t}\n\t\t\t} else if (argType === 'object') {\n\t\t\t\tfor (var key in arg) {\n\t\t\t\t\tif (hasOwn.call(arg, key) && arg[key]) {\n\t\t\t\t\t\tclasses.push(key);\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\n\t\treturn classes.join(' ');\n\t}\n\n\tif ( true && module.exports) {\n\t\tclassNames.default = classNames;\n\t\tmodule.exports = classNames;\n\t} else if (true) {\n\t\t// register as 'classnames', consistent with npm package name\n\t\t!(__WEBPACK_AMD_DEFINE_ARRAY__ = [], __WEBPACK_AMD_DEFINE_RESULT__ = (function () {\n\t\t\treturn classNames;\n\t\t}).apply(exports, __WEBPACK_AMD_DEFINE_ARRAY__),\n\t\t\t\t__WEBPACK_AMD_DEFINE_RESULT__ !== undefined && (module.exports = __WEBPACK_AMD_DEFINE_RESULT__));\n\t} else {}\n}());\n\n\n//# sourceURL=webpack://veritas/./node_modules/classnames/index.js?")},"./node_modules/compute-scroll-into-view/es/index.js": /*!***********************************************************!*\ !*** ./node_modules/compute-scroll-into-view/es/index.js ***! \***********************************************************/ /*! exports provided: default */function node_modulesComputeScrollIntoViewEsIndexJs(module,__webpack_exports__,__webpack_require__){eval("__webpack_require__.r(__webpack_exports__);\nfunction isElement(el) {\n return el != null && typeof el === 'object' && el.nodeType === 1;\n}\n\nfunction canOverflow(overflow, skipOverflowHiddenElements) {\n if (skipOverflowHiddenElements && overflow === 'hidden') {\n return false;\n }\n\n return overflow !== 'visible' && overflow !== 'clip';\n}\n\nfunction isScrollable(el, skipOverflowHiddenElements) {\n if (el.clientHeight < el.scrollHeight || el.clientWidth < el.scrollWidth) {\n var style = getComputedStyle(el, null);\n return canOverflow(style.overflowY, skipOverflowHiddenElements) || canOverflow(style.overflowX, skipOverflowHiddenElements);\n }\n\n return false;\n}\n\nfunction alignNearest(scrollingEdgeStart, scrollingEdgeEnd, scrollingSize, scrollingBorderStart, scrollingBorderEnd, elementEdgeStart, elementEdgeEnd, elementSize) {\n if (elementEdgeStart < scrollingEdgeStart && elementEdgeEnd > scrollingEdgeEnd || elementEdgeStart > scrollingEdgeStart && elementEdgeEnd < scrollingEdgeEnd) {\n return 0;\n }\n\n if (elementEdgeStart <= scrollingEdgeStart && elementSize <= scrollingSize || elementEdgeEnd >= scrollingEdgeEnd && elementSize >= scrollingSize) {\n return elementEdgeStart - scrollingEdgeStart - scrollingBorderStart;\n }\n\n if (elementEdgeEnd > scrollingEdgeEnd && elementSize < scrollingSize || elementEdgeStart < scrollingEdgeStart && elementSize > scrollingSize) {\n return elementEdgeEnd - scrollingEdgeEnd + scrollingBorderEnd;\n }\n\n return 0;\n}\n\n/* harmony default export */ __webpack_exports__[\"default\"] = (function (target, options) {\n var scrollMode = options.scrollMode,\n block = options.block,\n inline = options.inline,\n boundary = options.boundary,\n skipOverflowHiddenElements = options.skipOverflowHiddenElements;\n var checkBoundary = typeof boundary === 'function' ? boundary : function (node) {\n return node !== boundary;\n };\n\n if (!isElement(target)) {\n throw new TypeError('Invalid target');\n }\n\n var scrollingElement = document.scrollingElement || document.documentElement;\n var frames = [];\n var cursor = target;\n\n while (isElement(cursor) && checkBoundary(cursor)) {\n cursor = cursor.parentNode;\n\n if (cursor === scrollingElement) {\n frames.push(cursor);\n break;\n }\n\n if (cursor === document.body && isScrollable(cursor) && !isScrollable(document.documentElement)) {\n continue;\n }\n\n if (isScrollable(cursor, skipOverflowHiddenElements)) {\n frames.push(cursor);\n }\n }\n\n var viewportWidth = window.visualViewport ? visualViewport.width : innerWidth;\n var viewportHeight = window.visualViewport ? visualViewport.height : innerHeight;\n var viewportX = window.scrollX || pageXOffset;\n var viewportY = window.scrollY || pageYOffset;\n\n var _target$getBoundingCl = target.getBoundingClientRect(),\n targetHeight = _target$getBoundingCl.height,\n targetWidth = _target$getBoundingCl.width,\n targetTop = _target$getBoundingCl.top,\n targetRight = _target$getBoundingCl.right,\n targetBottom = _target$getBoundingCl.bottom,\n targetLeft = _target$getBoundingCl.left;\n\n var targetBlock = block === 'start' || block === 'nearest' ? targetTop : block === 'end' ? targetBottom : targetTop + targetHeight / 2;\n var targetInline = inline === 'center' ? targetLeft + targetWidth / 2 : inline === 'end' ? targetRight : targetLeft;\n var computations = [];\n\n for (var index = 0; index < frames.length; index++) {\n var frame = frames[index];\n\n var _frame$getBoundingCli = frame.getBoundingClientRect(),\n _height = _frame$getBoundingCli.height,\n _width = _frame$getBoundingCli.width,\n _top = _frame$getBoundingCli.top,\n right = _frame$getBoundingCli.right,\n bottom = _frame$getBoundingCli.bottom,\n _left = _frame$getBoundingCli.left;\n\n if (scrollMode === 'if-needed' && targetTop >= 0 && targetLeft >= 0 && targetBottom <= viewportHeight && targetRight <= viewportWidth && targetTop >= _top && targetBottom <= bottom && targetLeft >= _left && targetRight <= right) {\n return computations;\n }\n\n var frameStyle = getComputedStyle(frame);\n var borderLeft = parseInt(frameStyle.borderLeftWidth, 10);\n var borderTop = parseInt(frameStyle.borderTopWidth, 10);\n var borderRight = parseInt(frameStyle.borderRightWidth, 10);\n var borderBottom = parseInt(frameStyle.borderBottomWidth, 10);\n var blockScroll = 0;\n var inlineScroll = 0;\n var scrollbarWidth = 'offsetWidth' in frame ? frame.offsetWidth - frame.clientWidth - borderLeft - borderRight : 0;\n var scrollbarHeight = 'offsetHeight' in frame ? frame.offsetHeight - frame.clientHeight - borderTop - borderBottom : 0;\n\n if (scrollingElement === frame) {\n if (block === 'start') {\n blockScroll = targetBlock;\n } else if (block === 'end') {\n blockScroll = targetBlock - viewportHeight;\n } else if (block === 'nearest') {\n blockScroll = alignNearest(viewportY, viewportY + viewportHeight, viewportHeight, borderTop, borderBottom, viewportY + targetBlock, viewportY + targetBlock + targetHeight, targetHeight);\n } else {\n blockScroll = targetBlock - viewportHeight / 2;\n }\n\n if (inline === 'start') {\n inlineScroll = targetInline;\n } else if (inline === 'center') {\n inlineScroll = targetInline - viewportWidth / 2;\n } else if (inline === 'end') {\n inlineScroll = targetInline - viewportWidth;\n } else {\n inlineScroll = alignNearest(viewportX, viewportX + viewportWidth, viewportWidth, borderLeft, borderRight, viewportX + targetInline, viewportX + targetInline + targetWidth, targetWidth);\n }\n\n blockScroll = Math.max(0, blockScroll + viewportY);\n inlineScroll = Math.max(0, inlineScroll + viewportX);\n } else {\n if (block === 'start') {\n blockScroll = targetBlock - _top - borderTop;\n } else if (block === 'end') {\n blockScroll = targetBlock - bottom + borderBottom + scrollbarHeight;\n } else if (block === 'nearest') {\n blockScroll = alignNearest(_top, bottom, _height, borderTop, borderBottom + scrollbarHeight, targetBlock, targetBlock + targetHeight, targetHeight);\n } else {\n blockScroll = targetBlock - (_top + _height / 2) + scrollbarHeight / 2;\n }\n\n if (inline === 'start') {\n inlineScroll = targetInline - _left - borderLeft;\n } else if (inline === 'center') {\n inlineScroll = targetInline - (_left + _width / 2) + scrollbarWidth / 2;\n } else if (inline === 'end') {\n inlineScroll = targetInline - right + borderRight + scrollbarWidth;\n } else {\n inlineScroll = alignNearest(_left, right, _width, borderLeft, borderRight + scrollbarWidth, targetInline, targetInline + targetWidth, targetWidth);\n }\n\n var scrollLeft = frame.scrollLeft,\n scrollTop = frame.scrollTop;\n blockScroll = Math.max(0, Math.min(scrollTop + blockScroll, frame.scrollHeight - _height + scrollbarHeight));\n inlineScroll = Math.max(0, Math.min(scrollLeft + inlineScroll, frame.scrollWidth - _width + scrollbarWidth));\n targetBlock += scrollTop - blockScroll;\n targetInline += scrollLeft - inlineScroll;\n }\n\n computations.push({\n el: frame,\n top: blockScroll,\n left: inlineScroll\n });\n }\n\n return computations;\n});\n\n//# sourceURL=webpack://veritas/./node_modules/compute-scroll-into-view/es/index.js?")},"./node_modules/focus-trap-react/dist/focus-trap-react.js": /*!****************************************************************!*\ !*** ./node_modules/focus-trap-react/dist/focus-trap-react.js ***! \****************************************************************/ /*! no static exports found */function node_modulesFocusTrapReactDistFocusTrapReactJs(module,exports,__webpack_require__){eval("\n\nvar _createClass = function () { function defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if (\"value\" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; }();\n\nfunction _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError(\"Cannot call a class as a function\"); } }\n\nfunction _possibleConstructorReturn(self, call) { if (!self) { throw new ReferenceError(\"this hasn't been initialised - super() hasn't been called\"); } return call && (typeof call === \"object\" || typeof call === \"function\") ? call : self; }\n\nfunction _inherits(subClass, superClass) { if (typeof superClass !== \"function\" && superClass !== null) { throw new TypeError(\"Super expression must either be null or a function, not \" + typeof superClass); } subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, enumerable: false, writable: true, configurable: true } }); if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass; }\n\nvar React = __webpack_require__(/*! react */ \"react\");\nvar createFocusTrap = __webpack_require__(/*! focus-trap */ \"./node_modules/focus-trap/index.js\");\n\nvar checkedProps = ['active', 'paused', 'tag', 'focusTrapOptions', '_createFocusTrap'];\n\nvar FocusTrap = function (_React$Component) {\n _inherits(FocusTrap, _React$Component);\n\n function FocusTrap(props) {\n _classCallCheck(this, FocusTrap);\n\n var _this = _possibleConstructorReturn(this, (FocusTrap.__proto__ || Object.getPrototypeOf(FocusTrap)).call(this, props));\n\n _this.setNode = function (el) {\n _this.node = el;\n };\n\n if (typeof document !== 'undefined') {\n _this.previouslyFocusedElement = document.activeElement;\n }\n return _this;\n }\n\n _createClass(FocusTrap, [{\n key: 'componentDidMount',\n value: function componentDidMount() {\n // We need to hijack the returnFocusOnDeactivate option,\n // because React can move focus into the element before we arrived at\n // this lifecycle hook (e.g. with autoFocus inputs). So the component\n // captures the previouslyFocusedElement in componentWillMount,\n // then (optionally) returns focus to it in componentWillUnmount.\n var specifiedFocusTrapOptions = this.props.focusTrapOptions;\n var tailoredFocusTrapOptions = {\n returnFocusOnDeactivate: false\n };\n for (var optionName in specifiedFocusTrapOptions) {\n if (!specifiedFocusTrapOptions.hasOwnProperty(optionName)) continue;\n if (optionName === 'returnFocusOnDeactivate') continue;\n tailoredFocusTrapOptions[optionName] = specifiedFocusTrapOptions[optionName];\n }\n\n this.focusTrap = this.props._createFocusTrap(this.node, tailoredFocusTrapOptions);\n if (this.props.active) {\n this.focusTrap.activate();\n }\n if (this.props.paused) {\n this.focusTrap.pause();\n }\n }\n }, {\n key: 'componentDidUpdate',\n value: function componentDidUpdate(prevProps) {\n if (prevProps.active && !this.props.active) {\n var returnFocusOnDeactivate = this.props.focusTrapOptions.returnFocusOnDeactivate;\n\n var returnFocus = returnFocusOnDeactivate || false;\n var config = { returnFocus: returnFocus };\n this.focusTrap.deactivate(config);\n } else if (!prevProps.active && this.props.active) {\n this.focusTrap.activate();\n }\n\n if (prevProps.paused && !this.props.paused) {\n this.focusTrap.unpause();\n } else if (!prevProps.paused && this.props.paused) {\n this.focusTrap.pause();\n }\n }\n }, {\n key: 'componentWillUnmount',\n value: function componentWillUnmount() {\n this.focusTrap.deactivate();\n if (this.props.focusTrapOptions.returnFocusOnDeactivate !== false && this.previouslyFocusedElement && this.previouslyFocusedElement.focus) {\n this.previouslyFocusedElement.focus();\n }\n }\n }, {\n key: 'render',\n value: function render() {\n var elementProps = {\n ref: this.setNode\n };\n\n // This will get id, className, style, etc. -- arbitrary element props\n for (var prop in this.props) {\n if (!this.props.hasOwnProperty(prop)) continue;\n if (checkedProps.indexOf(prop) !== -1) continue;\n elementProps[prop] = this.props[prop];\n }\n\n return React.createElement(this.props.tag, elementProps, this.props.children);\n }\n }]);\n\n return FocusTrap;\n}(React.Component);\n\nFocusTrap.defaultProps = {\n active: true,\n tag: 'div',\n paused: false,\n focusTrapOptions: {},\n _createFocusTrap: createFocusTrap\n};\n\nmodule.exports = FocusTrap;\n\n//# sourceURL=webpack://veritas/./node_modules/focus-trap-react/dist/focus-trap-react.js?")},"./node_modules/focus-trap/index.js": /*!******************************************!*\ !*** ./node_modules/focus-trap/index.js ***! \******************************************/ /*! no static exports found */function node_modulesFocusTrapIndexJs(module,exports,__webpack_require__){eval("var tabbable = __webpack_require__(/*! tabbable */ \"./node_modules/tabbable/index.js\");\nvar xtend = __webpack_require__(/*! xtend */ \"./node_modules/xtend/immutable.js\");\n\nvar listeningFocusTrap = null;\n\nfunction focusTrap(element, userOptions) {\n var doc = document;\n var container =\n typeof element === 'string' ? doc.querySelector(element) : element;\n\n var config = xtend(\n {\n returnFocusOnDeactivate: true,\n escapeDeactivates: true\n },\n userOptions\n );\n\n var state = {\n firstTabbableNode: null,\n lastTabbableNode: null,\n nodeFocusedBeforeActivation: null,\n mostRecentlyFocusedNode: null,\n active: false,\n paused: false\n };\n\n var trap = {\n activate: activate,\n deactivate: deactivate,\n pause: pause,\n unpause: unpause\n };\n\n return trap;\n\n function activate(activateOptions) {\n if (state.active) return;\n\n updateTabbableNodes();\n\n state.active = true;\n state.paused = false;\n state.nodeFocusedBeforeActivation = doc.activeElement;\n\n var onActivate =\n activateOptions && activateOptions.onActivate\n ? activateOptions.onActivate\n : config.onActivate;\n if (onActivate) {\n onActivate();\n }\n\n addListeners();\n return trap;\n }\n\n function deactivate(deactivateOptions) {\n if (!state.active) return;\n\n removeListeners();\n state.active = false;\n state.paused = false;\n\n var onDeactivate =\n deactivateOptions && deactivateOptions.onDeactivate !== undefined\n ? deactivateOptions.onDeactivate\n : config.onDeactivate;\n if (onDeactivate) {\n onDeactivate();\n }\n\n var returnFocus =\n deactivateOptions && deactivateOptions.returnFocus !== undefined\n ? deactivateOptions.returnFocus\n : config.returnFocusOnDeactivate;\n if (returnFocus) {\n delay(function() {\n tryFocus(state.nodeFocusedBeforeActivation);\n });\n }\n\n return trap;\n }\n\n function pause() {\n if (state.paused || !state.active) return;\n state.paused = true;\n removeListeners();\n }\n\n function unpause() {\n if (!state.paused || !state.active) return;\n state.paused = false;\n addListeners();\n }\n\n function addListeners() {\n if (!state.active) return;\n\n // There can be only one listening focus trap at a time\n if (listeningFocusTrap) {\n listeningFocusTrap.pause();\n }\n listeningFocusTrap = trap;\n\n updateTabbableNodes();\n\n // Delay ensures that the focused element doesn't capture the event\n // that caused the focus trap activation.\n delay(function() {\n tryFocus(getInitialFocusNode());\n });\n doc.addEventListener('focusin', checkFocusIn, true);\n doc.addEventListener('mousedown', checkPointerDown, true);\n doc.addEventListener('touchstart', checkPointerDown, true);\n doc.addEventListener('click', checkClick, true);\n doc.addEventListener('keydown', checkKey, true);\n\n return trap;\n }\n\n function removeListeners() {\n if (!state.active || listeningFocusTrap !== trap) return;\n\n doc.removeEventListener('focusin', checkFocusIn, true);\n doc.removeEventListener('mousedown', checkPointerDown, true);\n doc.removeEventListener('touchstart', checkPointerDown, true);\n doc.removeEventListener('click', checkClick, true);\n doc.removeEventListener('keydown', checkKey, true);\n\n listeningFocusTrap = null;\n\n return trap;\n }\n\n function getNodeForOption(optionName) {\n var optionValue = config[optionName];\n var node = optionValue;\n if (!optionValue) {\n return null;\n }\n if (typeof optionValue === 'string') {\n node = doc.querySelector(optionValue);\n if (!node) {\n throw new Error('`' + optionName + '` refers to no known node');\n }\n }\n if (typeof optionValue === 'function') {\n node = optionValue();\n if (!node) {\n throw new Error('`' + optionName + '` did not return a node');\n }\n }\n return node;\n }\n\n function getInitialFocusNode() {\n var node;\n if (getNodeForOption('initialFocus') !== null) {\n node = getNodeForOption('initialFocus');\n } else if (container.contains(doc.activeElement)) {\n node = doc.activeElement;\n } else {\n node = state.firstTabbableNode || getNodeForOption('fallbackFocus');\n }\n\n if (!node) {\n throw new Error(\n \"You can't have a focus-trap without at least one focusable element\"\n );\n }\n\n return node;\n }\n\n // This needs to be done on mousedown and touchstart instead of click\n // so that it precedes the focus event.\n function checkPointerDown(e) {\n if (container.contains(e.target)) return;\n if (config.clickOutsideDeactivates) {\n deactivate({\n returnFocus: !tabbable.isFocusable(e.target)\n });\n } else {\n e.preventDefault();\n }\n }\n\n // In case focus escapes the trap for some strange reason, pull it back in.\n function checkFocusIn(e) {\n // In Firefox when you Tab out of an iframe the Document is briefly focused.\n if (container.contains(e.target) || e.target instanceof Document) {\n return;\n }\n e.stopImmediatePropagation();\n tryFocus(state.mostRecentlyFocusedNode || getInitialFocusNode());\n }\n\n function checkKey(e) {\n if (config.escapeDeactivates !== false && isEscapeEvent(e)) {\n e.preventDefault();\n deactivate();\n return;\n }\n if (isTabEvent(e)) {\n checkTab(e);\n return;\n }\n }\n\n // Hijack Tab events on the first and last focusable nodes of the trap,\n // in order to prevent focus from escaping. If it escapes for even a\n // moment it can end up scrolling the page and causing confusion so we\n // kind of need to capture the action at the keydown phase.\n function checkTab(e) {\n updateTabbableNodes();\n if (e.shiftKey && e.target === state.firstTabbableNode) {\n e.preventDefault();\n tryFocus(state.lastTabbableNode);\n return;\n }\n if (!e.shiftKey && e.target === state.lastTabbableNode) {\n e.preventDefault();\n tryFocus(state.firstTabbableNode);\n return;\n }\n }\n\n function checkClick(e) {\n if (config.clickOutsideDeactivates) return;\n if (container.contains(e.target)) return;\n e.preventDefault();\n e.stopImmediatePropagation();\n }\n\n function updateTabbableNodes() {\n var tabbableNodes = tabbable(container);\n state.firstTabbableNode = tabbableNodes[0] || getInitialFocusNode();\n state.lastTabbableNode =\n tabbableNodes[tabbableNodes.length - 1] || getInitialFocusNode();\n }\n\n function tryFocus(node) {\n if (node === doc.activeElement) return;\n if (!node || !node.focus) {\n tryFocus(getInitialFocusNode());\n return;\n }\n\n node.focus();\n state.mostRecentlyFocusedNode = node;\n if (isSelectableInput(node)) {\n node.select();\n }\n }\n}\n\nfunction isSelectableInput(node) {\n return (\n node.tagName &&\n node.tagName.toLowerCase() === 'input' &&\n typeof node.select === 'function'\n );\n}\n\nfunction isEscapeEvent(e) {\n return e.key === 'Escape' || e.key === 'Esc' || e.keyCode === 27;\n}\n\nfunction isTabEvent(e) {\n return e.key === 'Tab' || e.keyCode === 9;\n}\n\nfunction delay(fn) {\n return setTimeout(fn, 0);\n}\n\nmodule.exports = focusTrap;\n\n\n//# sourceURL=webpack://veritas/./node_modules/focus-trap/index.js?")},"./node_modules/react-is/cjs/react-is.development.js": /*!***********************************************************!*\ !*** ./node_modules/react-is/cjs/react-is.development.js ***! \***********************************************************/ /*! no static exports found */function node_modulesReactIsCjsReactIsDevelopmentJs(module,exports,__webpack_require__){eval("/** @license React v16.6.1\n * react-is.development.js\n *\n * Copyright (c) Facebook, Inc. and its affiliates.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n */\n\n\n\n\n\nif (true) {\n (function() {\n'use strict';\n\nObject.defineProperty(exports, '__esModule', { value: true });\n\n// The Symbol used to tag the ReactElement-like types. If there is no native Symbol\n// nor polyfill, then a plain number is used for performance.\nvar hasSymbol = typeof Symbol === 'function' && Symbol.for;\n\nvar REACT_ELEMENT_TYPE = hasSymbol ? Symbol.for('react.element') : 0xeac7;\nvar REACT_PORTAL_TYPE = hasSymbol ? Symbol.for('react.portal') : 0xeaca;\nvar REACT_FRAGMENT_TYPE = hasSymbol ? Symbol.for('react.fragment') : 0xeacb;\nvar REACT_STRICT_MODE_TYPE = hasSymbol ? Symbol.for('react.strict_mode') : 0xeacc;\nvar REACT_PROFILER_TYPE = hasSymbol ? Symbol.for('react.profiler') : 0xead2;\nvar REACT_PROVIDER_TYPE = hasSymbol ? Symbol.for('react.provider') : 0xeacd;\nvar REACT_CONTEXT_TYPE = hasSymbol ? Symbol.for('react.context') : 0xeace;\nvar REACT_ASYNC_MODE_TYPE = hasSymbol ? Symbol.for('react.async_mode') : 0xeacf;\nvar REACT_CONCURRENT_MODE_TYPE = hasSymbol ? Symbol.for('react.concurrent_mode') : 0xeacf;\nvar REACT_FORWARD_REF_TYPE = hasSymbol ? Symbol.for('react.forward_ref') : 0xead0;\nvar REACT_SUSPENSE_TYPE = hasSymbol ? Symbol.for('react.suspense') : 0xead1;\nvar REACT_MEMO_TYPE = hasSymbol ? Symbol.for('react.memo') : 0xead3;\nvar REACT_LAZY_TYPE = hasSymbol ? Symbol.for('react.lazy') : 0xead4;\n\nfunction isValidElementType(type) {\n return typeof type === 'string' || typeof type === 'function' ||\n // Note: its typeof might be other than 'symbol' or 'number' if it's a polyfill.\n type === REACT_FRAGMENT_TYPE || type === REACT_CONCURRENT_MODE_TYPE || type === REACT_PROFILER_TYPE || type === REACT_STRICT_MODE_TYPE || type === REACT_SUSPENSE_TYPE || typeof type === 'object' && type !== null && (type.$$typeof === REACT_LAZY_TYPE || type.$$typeof === REACT_MEMO_TYPE || type.$$typeof === REACT_PROVIDER_TYPE || type.$$typeof === REACT_CONTEXT_TYPE || type.$$typeof === REACT_FORWARD_REF_TYPE);\n}\n\n/**\n * Forked from fbjs/warning:\n * https://github.com/facebook/fbjs/blob/e66ba20ad5be433eb54423f2b097d829324d9de6/packages/fbjs/src/__forks__/warning.js\n *\n * Only change is we use console.warn instead of console.error,\n * and do nothing when 'console' is not supported.\n * This really simplifies the code.\n * ---\n * Similar to invariant but only logs a warning if the condition is not met.\n * This can be used to log issues in development environments in critical\n * paths. Removing the logging code for production environments will keep the\n * same logic and follow the same code paths.\n */\n\nvar lowPriorityWarning = function () {};\n\n{\n var printWarning = function (format) {\n for (var _len = arguments.length, args = Array(_len > 1 ? _len - 1 : 0), _key = 1; _key < _len; _key++) {\n args[_key - 1] = arguments[_key];\n }\n\n var argIndex = 0;\n var message = 'Warning: ' + format.replace(/%s/g, function () {\n return args[argIndex++];\n });\n if (typeof console !== 'undefined') {\n console.warn(message);\n }\n try {\n // --- Welcome to debugging React ---\n // This error was thrown as a convenience so that you can use this stack\n // to find the callsite that caused this warning to fire.\n throw new Error(message);\n } catch (x) {}\n };\n\n lowPriorityWarning = function (condition, format) {\n if (format === undefined) {\n throw new Error('`lowPriorityWarning(condition, format, ...args)` requires a warning ' + 'message argument');\n }\n if (!condition) {\n for (var _len2 = arguments.length, args = Array(_len2 > 2 ? _len2 - 2 : 0), _key2 = 2; _key2 < _len2; _key2++) {\n args[_key2 - 2] = arguments[_key2];\n }\n\n printWarning.apply(undefined, [format].concat(args));\n }\n };\n}\n\nvar lowPriorityWarning$1 = lowPriorityWarning;\n\nfunction typeOf(object) {\n if (typeof object === 'object' && object !== null) {\n var $$typeof = object.$$typeof;\n\n switch ($$typeof) {\n case REACT_ELEMENT_TYPE:\n var type = object.type;\n\n switch (type) {\n case REACT_ASYNC_MODE_TYPE:\n case REACT_CONCURRENT_MODE_TYPE:\n case REACT_FRAGMENT_TYPE:\n case REACT_PROFILER_TYPE:\n case REACT_STRICT_MODE_TYPE:\n return type;\n default:\n var $$typeofType = type && type.$$typeof;\n\n switch ($$typeofType) {\n case REACT_CONTEXT_TYPE:\n case REACT_FORWARD_REF_TYPE:\n case REACT_PROVIDER_TYPE:\n return $$typeofType;\n default:\n return $$typeof;\n }\n }\n case REACT_PORTAL_TYPE:\n return $$typeof;\n }\n }\n\n return undefined;\n}\n\n// AsyncMode is deprecated along with isAsyncMode\nvar AsyncMode = REACT_ASYNC_MODE_TYPE;\nvar ConcurrentMode = REACT_CONCURRENT_MODE_TYPE;\nvar ContextConsumer = REACT_CONTEXT_TYPE;\nvar ContextProvider = REACT_PROVIDER_TYPE;\nvar Element = REACT_ELEMENT_TYPE;\nvar ForwardRef = REACT_FORWARD_REF_TYPE;\nvar Fragment = REACT_FRAGMENT_TYPE;\nvar Profiler = REACT_PROFILER_TYPE;\nvar Portal = REACT_PORTAL_TYPE;\nvar StrictMode = REACT_STRICT_MODE_TYPE;\n\nvar hasWarnedAboutDeprecatedIsAsyncMode = false;\n\n// AsyncMode should be deprecated\nfunction isAsyncMode(object) {\n {\n if (!hasWarnedAboutDeprecatedIsAsyncMode) {\n hasWarnedAboutDeprecatedIsAsyncMode = true;\n lowPriorityWarning$1(false, 'The ReactIs.isAsyncMode() alias has been deprecated, ' + 'and will be removed in React 17+. Update your code to use ' + 'ReactIs.isConcurrentMode() instead. It has the exact same API.');\n }\n }\n return isConcurrentMode(object) || typeOf(object) === REACT_ASYNC_MODE_TYPE;\n}\nfunction isConcurrentMode(object) {\n return typeOf(object) === REACT_CONCURRENT_MODE_TYPE;\n}\nfunction isContextConsumer(object) {\n return typeOf(object) === REACT_CONTEXT_TYPE;\n}\nfunction isContextProvider(object) {\n return typeOf(object) === REACT_PROVIDER_TYPE;\n}\nfunction isElement(object) {\n return typeof object === 'object' && object !== null && object.$$typeof === REACT_ELEMENT_TYPE;\n}\nfunction isForwardRef(object) {\n return typeOf(object) === REACT_FORWARD_REF_TYPE;\n}\nfunction isFragment(object) {\n return typeOf(object) === REACT_FRAGMENT_TYPE;\n}\nfunction isProfiler(object) {\n return typeOf(object) === REACT_PROFILER_TYPE;\n}\nfunction isPortal(object) {\n return typeOf(object) === REACT_PORTAL_TYPE;\n}\nfunction isStrictMode(object) {\n return typeOf(object) === REACT_STRICT_MODE_TYPE;\n}\n\nexports.typeOf = typeOf;\nexports.AsyncMode = AsyncMode;\nexports.ConcurrentMode = ConcurrentMode;\nexports.ContextConsumer = ContextConsumer;\nexports.ContextProvider = ContextProvider;\nexports.Element = Element;\nexports.ForwardRef = ForwardRef;\nexports.Fragment = Fragment;\nexports.Profiler = Profiler;\nexports.Portal = Portal;\nexports.StrictMode = StrictMode;\nexports.isValidElementType = isValidElementType;\nexports.isAsyncMode = isAsyncMode;\nexports.isConcurrentMode = isConcurrentMode;\nexports.isContextConsumer = isContextConsumer;\nexports.isContextProvider = isContextProvider;\nexports.isElement = isElement;\nexports.isForwardRef = isForwardRef;\nexports.isFragment = isFragment;\nexports.isProfiler = isProfiler;\nexports.isPortal = isPortal;\nexports.isStrictMode = isStrictMode;\n })();\n}\n\n\n//# sourceURL=webpack://veritas/./node_modules/react-is/cjs/react-is.development.js?")},"./node_modules/react-is/index.js": /*!****************************************!*\ !*** ./node_modules/react-is/index.js ***! \****************************************/ /*! no static exports found */function node_modulesReactIsIndexJs(module,exports,__webpack_require__){eval('\n\nif (false) {} else {\n module.exports = __webpack_require__(/*! ./cjs/react-is.development.js */ "./node_modules/react-is/cjs/react-is.development.js");\n}\n\n\n//# sourceURL=webpack://veritas/./node_modules/react-is/index.js?')},"./node_modules/tabbable/index.js": /*!****************************************!*\ !*** ./node_modules/tabbable/index.js ***! \****************************************/ /*! no static exports found */function node_modulesTabbableIndexJs(module,exports){eval("var candidateSelectors = [\n 'input',\n 'select',\n 'textarea',\n 'a[href]',\n 'button',\n '[tabindex]',\n 'audio[controls]',\n 'video[controls]',\n '[contenteditable]:not([contenteditable=\"false\"])',\n];\nvar candidateSelector = candidateSelectors.join(',');\n\nvar matches = typeof Element === 'undefined'\n ? function () {}\n : Element.prototype.matches || Element.prototype.msMatchesSelector || Element.prototype.webkitMatchesSelector;\n\nfunction tabbable(el, options) {\n options = options || {};\n\n var elementDocument = el.ownerDocument || el;\n var regularTabbables = [];\n var orderedTabbables = [];\n\n var untouchabilityChecker = new UntouchabilityChecker(elementDocument);\n var candidates = el.querySelectorAll(candidateSelector);\n\n if (options.includeContainer) {\n if (matches.call(el, candidateSelector)) {\n candidates = Array.prototype.slice.apply(candidates);\n candidates.unshift(el);\n }\n }\n\n var i, candidate, candidateTabindex;\n for (i = 0; i < candidates.length; i++) {\n candidate = candidates[i];\n\n if (!isNodeMatchingSelectorTabbable(candidate, untouchabilityChecker)) continue;\n\n candidateTabindex = getTabindex(candidate);\n if (candidateTabindex === 0) {\n regularTabbables.push(candidate);\n } else {\n orderedTabbables.push({\n documentOrder: i,\n tabIndex: candidateTabindex,\n node: candidate,\n });\n }\n }\n\n var tabbableNodes = orderedTabbables\n .sort(sortOrderedTabbables)\n .map(function(a) { return a.node })\n .concat(regularTabbables);\n\n return tabbableNodes;\n}\n\ntabbable.isTabbable = isTabbable;\ntabbable.isFocusable = isFocusable;\n\nfunction isNodeMatchingSelectorTabbable(node, untouchabilityChecker) {\n if (\n !isNodeMatchingSelectorFocusable(node, untouchabilityChecker)\n || isNonTabbableRadio(node)\n || getTabindex(node) < 0\n ) {\n return false;\n }\n return true;\n}\n\nfunction isTabbable(node, untouchabilityChecker) {\n if (!node) throw new Error('No node provided');\n if (matches.call(node, candidateSelector) === false) return false;\n return isNodeMatchingSelectorTabbable(node, untouchabilityChecker);\n}\n\nfunction isNodeMatchingSelectorFocusable(node, untouchabilityChecker) {\n untouchabilityChecker = untouchabilityChecker || new UntouchabilityChecker(node.ownerDocument || node);\n if (\n node.disabled\n || isHiddenInput(node)\n || untouchabilityChecker.isUntouchable(node)\n ) {\n return false;\n }\n return true;\n}\n\nvar focusableCandidateSelector = candidateSelectors.concat('iframe').join(',');\nfunction isFocusable(node, untouchabilityChecker) {\n if (!node) throw new Error('No node provided');\n if (matches.call(node, focusableCandidateSelector) === false) return false;\n return isNodeMatchingSelectorFocusable(node, untouchabilityChecker);\n}\n\nfunction getTabindex(node) {\n var tabindexAttr = parseInt(node.getAttribute('tabindex'), 10);\n if (!isNaN(tabindexAttr)) return tabindexAttr;\n // Browsers do not return `tabIndex` correctly for contentEditable nodes;\n // so if they don't have a tabindex attribute specifically set, assume it's 0.\n if (isContentEditable(node)) return 0;\n return node.tabIndex;\n}\n\nfunction sortOrderedTabbables(a, b) {\n return a.tabIndex === b.tabIndex ? a.documentOrder - b.documentOrder : a.tabIndex - b.tabIndex;\n}\n\n// Array.prototype.find not available in IE.\nfunction find(list, predicate) {\n for (var i = 0, length = list.length; i < length; i++) {\n if (predicate(list[i])) return list[i];\n }\n}\n\nfunction isContentEditable(node) {\n return node.contentEditable === 'true';\n}\n\nfunction isInput(node) {\n return node.tagName === 'INPUT';\n}\n\nfunction isHiddenInput(node) {\n return isInput(node) && node.type === 'hidden';\n}\n\nfunction isRadio(node) {\n return isInput(node) && node.type === 'radio';\n}\n\nfunction isNonTabbableRadio(node) {\n return isRadio(node) && !isTabbableRadio(node);\n}\n\nfunction getCheckedRadio(nodes) {\n for (var i = 0; i < nodes.length; i++) {\n if (nodes[i].checked) {\n return nodes[i];\n }\n }\n}\n\nfunction isTabbableRadio(node) {\n if (!node.name) return true;\n // This won't account for the edge case where you have radio groups with the same\n // in separate forms on the same page.\n var radioSet = node.ownerDocument.querySelectorAll('input[type=\"radio\"][name=\"' + node.name + '\"]');\n var checked = getCheckedRadio(radioSet);\n return !checked || checked === node;\n}\n\n// An element is \"untouchable\" if *it or one of its ancestors* has\n// `visibility: hidden` or `display: none`.\nfunction UntouchabilityChecker(elementDocument) {\n this.doc = elementDocument;\n // Node cache must be refreshed on every check, in case\n // the content of the element has changed. The cache contains tuples\n // mapping nodes to their boolean result.\n this.cache = [];\n}\n\n// getComputedStyle accurately reflects `visibility: hidden` of ancestors\n// but not `display: none`, so we need to recursively check parents.\nUntouchabilityChecker.prototype.hasDisplayNone = function hasDisplayNone(node, nodeComputedStyle) {\n if (node === this.doc.documentElement) return false;\n\n // Search for a cached result.\n var cached = find(this.cache, function(item) {\n return item === node;\n });\n if (cached) return cached[1];\n\n nodeComputedStyle = nodeComputedStyle || this.doc.defaultView.getComputedStyle(node);\n\n var result = false;\n\n if (nodeComputedStyle.display === 'none') {\n result = true;\n } else if (node.parentNode) {\n result = this.hasDisplayNone(node.parentNode);\n }\n\n this.cache.push([node, result]);\n\n return result;\n}\n\nUntouchabilityChecker.prototype.isUntouchable = function isUntouchable(node) {\n if (node === this.doc.documentElement) return false;\n var computedStyle = this.doc.defaultView.getComputedStyle(node);\n if (this.hasDisplayNone(node, computedStyle)) return true;\n return computedStyle.visibility === 'hidden';\n}\n\nmodule.exports = tabbable;\n\n\n//# sourceURL=webpack://veritas/./node_modules/tabbable/index.js?")},"./node_modules/xtend/immutable.js": /*!*****************************************!*\ !*** ./node_modules/xtend/immutable.js ***! \*****************************************/ /*! no static exports found */function node_modulesXtendImmutableJs(module,exports){eval("module.exports = extend\n\nvar hasOwnProperty = Object.prototype.hasOwnProperty;\n\nfunction extend() {\n var target = {}\n\n for (var i = 0; i < arguments.length; i++) {\n var source = arguments[i]\n\n for (var key in source) {\n if (hasOwnProperty.call(source, key)) {\n target[key] = source[key]\n }\n }\n }\n\n return target\n}\n\n\n//# sourceURL=webpack://veritas/./node_modules/xtend/immutable.js?")},"./packages/veritas-components/src/components/Button/Button.jsx": /*!**********************************************************************!*\ !*** ./packages/veritas-components/src/components/Button/Button.jsx ***! \**********************************************************************/ /*! exports provided: ALIGNMENT, TYPES, VARIANTS, default */function packagesVeritasComponentsSrcComponentsButtonButtonJsx(module,__webpack_exports__,__webpack_require__){eval('__webpack_require__.r(__webpack_exports__);\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "ALIGNMENT", function() { return ALIGNMENT; });\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "TYPES", function() { return TYPES; });\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "VARIANTS", function() { return VARIANTS; });\n/* harmony import */ var react__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! react */ "react");\n/* harmony import */ var react__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(react__WEBPACK_IMPORTED_MODULE_0__);\n/* harmony import */ var prop_types__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! prop-types */ "prop-types");\n/* harmony import */ var prop_types__WEBPACK_IMPORTED_MODULE_1___default = /*#__PURE__*/__webpack_require__.n(prop_types__WEBPACK_IMPORTED_MODULE_1__);\n/* harmony import */ var classnames__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! classnames */ "./node_modules/classnames/index.js");\n/* harmony import */ var classnames__WEBPACK_IMPORTED_MODULE_2___default = /*#__PURE__*/__webpack_require__.n(classnames__WEBPACK_IMPORTED_MODULE_2__);\n/* harmony import */ var _VisuallyHidden_VisuallyHidden__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../VisuallyHidden/VisuallyHidden */ "./packages/veritas-components/src/components/VisuallyHidden/VisuallyHidden.jsx");\nfunction _extends() { _extends = Object.assign || function (target) { for (var i = 1; i < arguments.length; i++) { var source = arguments[i]; for (var key in source) { if (Object.prototype.hasOwnProperty.call(source, key)) { target[key] = source[key]; } } } return target; }; return _extends.apply(this, arguments); }\n\n\n\n\n\nvar PREFIX = "vds-button";\nvar ALIGNMENT = ["left", "right"];\nvar TYPES = ["button", "reset", "submit"];\nvar VARIANTS = ["default", "primary", "secondary", "destructive", "minimal", "minimal-inverse"];\n/** Buttons trigger actions throughout the interface. They can also be used for navigation. */\n\nvar Button = function Button(_ref) {\n var label = _ref.label,\n disabled = _ref.disabled,\n external = _ref.external,\n full = _ref.full,\n href = _ref.href,\n icon = _ref.icon,\n iconAlign = _ref.iconAlign,\n iconOnly = _ref.iconOnly,\n onClick = _ref.onClick,\n small = _ref.small,\n testID = _ref.testID,\n type = _ref.type,\n variant = _ref.variant;\n // ClassName Logic\n var className = classnames__WEBPACK_IMPORTED_MODULE_2___default()(PREFIX, variant && PREFIX + "--" + variant, small && PREFIX + "--small", full && PREFIX + "--full", icon && PREFIX + "__icon", icon && iconAlign === "right" && PREFIX + "__icon--" + iconAlign, icon && iconOnly && PREFIX + "__icon--only");\n var contentClassName = PREFIX + "__content"; // Consolidate Props\n\n var buttonAttributes = {\n className: className,\n disabled: disabled,\n onClick: onClick,\n type: type\n };\n var linkAttributes = {\n className: className,\n href: href,\n onClick: onClick,\n role: "button",\n tabIndex: 0,\n target: external ? "_blank" : undefined\n };\n var combinedAttributes = href ? linkAttributes : buttonAttributes; // Toggle Markup\n\n var labelMarkup = iconOnly ? react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement(_VisuallyHidden_VisuallyHidden__WEBPACK_IMPORTED_MODULE_3__["default"], null, label) : label;\n var Element = href ? "a" : "button"; // Error Handling\n\n if (icon !== null && (icon.props.size == "md" || icon.props.size == "lg")) {\n console.warn("Icons in buttons are size small by design.");\n } // Render\n\n\n return react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement(Element, _extends({}, combinedAttributes, {\n "data-testid": testID\n }), react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("span", {\n className: contentClassName\n }, icon, labelMarkup));\n};\n\nButton.propTypes = {\n /** Text label for the button */\n label: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.string.isRequired,\n\n /** Disable the button */\n disabled: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.bool,\n\n /** Opens href URL in new tab */\n external: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.bool,\n\n /** Stretch button to full width of its container */\n full: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.bool,\n\n /** If href is provided, `Button` will render as an anchor tag */\n href: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.string,\n\n /** The [Icon component](#!/Icon) */\n icon: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.node,\n\n /** Where the icon is positioned relative to the text */\n iconAlign: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.oneOf(ALIGNMENT),\n\n /** Icon-only button with visually hidden text */\n iconOnly: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.bool,\n\n /** Callback when clicked */\n onClick: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.func,\n\n /** Shrink size of the button */\n small: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.bool,\n\n /** A unique value for `data-testid` to serve as a hook for automated tests */\n testID: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.string,\n\n /** Sets the HTML button [`type` attribute](https://developer.mozilla.org/en-US/docs/Web/HTML/Element/button) */\n type: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.oneOf(TYPES),\n\n /** Button variant */\n variant: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.oneOf(VARIANTS)\n};\nButton.defaultProps = {\n disabled: false,\n external: false,\n full: false,\n href: "",\n icon: null,\n iconAlign: "left",\n iconOnly: false,\n onClick: null,\n small: false,\n testID: null,\n type: "button",\n variant: "default"\n};\n/* harmony default export */ __webpack_exports__["default"] = (Button);\n\n//# sourceURL=webpack://veritas/./packages/veritas-components/src/components/Button/Button.jsx?')},"./packages/veritas-components/src/components/Checkbox/Checkbox.jsx": /*!**************************************************************************!*\ !*** ./packages/veritas-components/src/components/Checkbox/Checkbox.jsx ***! \**************************************************************************/ /*! exports provided: default */function packagesVeritasComponentsSrcComponentsCheckboxCheckboxJsx(module,__webpack_exports__,__webpack_require__){eval('__webpack_require__.r(__webpack_exports__);\n/* harmony import */ var react__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! react */ "react");\n/* harmony import */ var react__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(react__WEBPACK_IMPORTED_MODULE_0__);\n/* harmony import */ var prop_types__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! prop-types */ "prop-types");\n/* harmony import */ var prop_types__WEBPACK_IMPORTED_MODULE_1___default = /*#__PURE__*/__webpack_require__.n(prop_types__WEBPACK_IMPORTED_MODULE_1__);\n/* harmony import */ var classnames__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! classnames */ "./node_modules/classnames/index.js");\n/* harmony import */ var classnames__WEBPACK_IMPORTED_MODULE_2___default = /*#__PURE__*/__webpack_require__.n(classnames__WEBPACK_IMPORTED_MODULE_2__);\n/* harmony import */ var _VisuallyHidden_VisuallyHidden__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../VisuallyHidden/VisuallyHidden */ "./packages/veritas-components/src/components/VisuallyHidden/VisuallyHidden.jsx");\n\n\n\n\nvar PREFIX = "vds-checkbox";\n/** Checkbox is a single control for toggling a choice. Use [CheckboxGroup](#!/CheckboxGroup) for multiple options. */\n\nvar Checkbox = function Checkbox(_ref) {\n var id = _ref.id,\n label = _ref.label,\n checked = _ref.checked,\n defaultChecked = _ref.defaultChecked,\n disabled = _ref.disabled,\n hiddenLabel = _ref.hiddenLabel,\n name = _ref.name,\n onChange = _ref.onChange,\n required = _ref.required,\n testID = _ref.testID,\n value = _ref.value;\n var className = classnames__WEBPACK_IMPORTED_MODULE_2___default()(PREFIX, hiddenLabel && PREFIX + "--hidden");\n var labelMarkup = hiddenLabel ? react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement(_VisuallyHidden_VisuallyHidden__WEBPACK_IMPORTED_MODULE_3__["default"], null, label) : label;\n return react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("div", {\n className: className\n }, react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("input", {\n id: id,\n checked: checked,\n className: PREFIX + "__input",\n "data-testid": testID,\n defaultChecked: defaultChecked,\n disabled: disabled,\n name: name,\n onChange: onChange,\n required: required,\n type: "checkbox",\n value: value\n }), react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("label", {\n className: PREFIX + "__label",\n htmlFor: id\n }, labelMarkup), react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("i", {\n className: "vds-icon vds-icon--sm",\n role: "img",\n "aria-hidden": "true"\n }, react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("svg", {\n width: "24",\n height: "24",\n viewBox: "0 0 24 24"\n }, react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("path", {\n d: "M17 5.3a1.2 1.2 0 1 1 2 1.4l-7.8 12c-.4.6-1.3.7-1.9.2l-4.2-4.2A1.3 1.3 0 0 1 7 12.9l3 3.1 7-10.7z"\n }))));\n};\n\nCheckbox.propTypes = {\n /** Unique ID to associate the label with the button. In groups, each checkbox requires a unique ID for the group to work */\n id: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.string.isRequired,\n\n /** Text label associated with the checkbox (required for a11y) */\n label: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.string.isRequired,\n\n /** Controlled checked state (for controlled components). Requires `onChange` handler */\n checked: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.bool,\n\n /** Initial checked state (for uncontrolled components) */\n defaultChecked: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.bool,\n\n /** Disable checkbox */\n disabled: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.bool,\n\n /** Hide label visually */\n hiddenLabel: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.bool,\n\n /** Used to uniquely define a group of checkboxes */\n name: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.string,\n\n /** Callback when checked or unchecked */\n onChange: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.func,\n\n /** Indicates that a user must choose a value before submitting */\n required: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.bool,\n\n /** A unique value for `data-testid` to serve as a hook for automated tests. */\n testID: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.string,\n\n /** Value of the checkbox */\n value: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.string\n};\nCheckbox.defaultProps = {\n checked: undefined,\n defaultChecked: undefined,\n disabled: false,\n hiddenLabel: false,\n name: PREFIX,\n onChange: null,\n required: false,\n testID: null,\n value: undefined\n};\n/* harmony default export */ __webpack_exports__["default"] = (Checkbox);\n\n//# sourceURL=webpack://veritas/./packages/veritas-components/src/components/Checkbox/Checkbox.jsx?')},"./packages/veritas-components/src/components/CheckboxGroup/CheckboxGroup.jsx": /*!************************************************************************************!*\ !*** ./packages/veritas-components/src/components/CheckboxGroup/CheckboxGroup.jsx ***! \************************************************************************************/ /*! exports provided: default */function packagesVeritasComponentsSrcComponentsCheckboxGroupCheckboxGroupJsx(module,__webpack_exports__,__webpack_require__){eval('__webpack_require__.r(__webpack_exports__);\n/* harmony import */ var react__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! react */ "react");\n/* harmony import */ var react__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(react__WEBPACK_IMPORTED_MODULE_0__);\n/* harmony import */ var prop_types__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! prop-types */ "prop-types");\n/* harmony import */ var prop_types__WEBPACK_IMPORTED_MODULE_1___default = /*#__PURE__*/__webpack_require__.n(prop_types__WEBPACK_IMPORTED_MODULE_1__);\n/* harmony import */ var classnames__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! classnames */ "./node_modules/classnames/index.js");\n/* harmony import */ var classnames__WEBPACK_IMPORTED_MODULE_2___default = /*#__PURE__*/__webpack_require__.n(classnames__WEBPACK_IMPORTED_MODULE_2__);\n\n\n\nvar PREFIX = "vds-checkbox-group";\n/** CheckboxGroup allows multiple values to be selected from a list. */\n\nvar CheckboxGroup = function CheckboxGroup(_ref) {\n var children = _ref.children,\n title = _ref.title,\n hiddenTitle = _ref.hiddenTitle,\n name = _ref.name,\n onChange = _ref.onChange;\n var className = classnames__WEBPACK_IMPORTED_MODULE_2___default()(PREFIX);\n var titleClassName = classnames__WEBPACK_IMPORTED_MODULE_2___default()(PREFIX + "__title", hiddenTitle && "vds-visually-hidden");\n var checkboxChildren = react__WEBPACK_IMPORTED_MODULE_0__["Children"].map(children, function (child) {\n if (child.type.name !== "Checkbox") {\n console.warn("Children must be an array of Checkbox components.");\n }\n\n return Object(react__WEBPACK_IMPORTED_MODULE_0__["cloneElement"])(child, {\n name: name,\n onChange: onChange\n });\n });\n return react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("fieldset", {\n className: className\n }, react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("legend", {\n className: titleClassName\n }, title), checkboxChildren);\n};\n\nCheckboxGroup.propTypes = {\n /** [Checkbox component](#!/Checkbox) for group */\n children: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.node.isRequired,\n\n /** Text above CheckboxGroup (required for a11y) */\n title: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.string.isRequired,\n\n /** Hide title visually */\n hiddenTitle: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.bool,\n\n /** Used to uniquely define a group of checkboxes */\n name: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.string,\n\n /** Callback when a child in the group is selected */\n onChange: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.func\n};\nCheckboxGroup.defaultProps = {\n name: "vds-checkbox",\n hiddenTitle: false,\n onChange: null\n};\n/* harmony default export */ __webpack_exports__["default"] = (CheckboxGroup);\n\n//# sourceURL=webpack://veritas/./packages/veritas-components/src/components/CheckboxGroup/CheckboxGroup.jsx?')},"./packages/veritas-components/src/components/Code/Code.jsx": /*!******************************************************************!*\ !*** ./packages/veritas-components/src/components/Code/Code.jsx ***! \******************************************************************/ /*! exports provided: default */function packagesVeritasComponentsSrcComponentsCodeCodeJsx(module,__webpack_exports__,__webpack_require__){eval('__webpack_require__.r(__webpack_exports__);\n/* harmony import */ var react__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! react */ "react");\n/* harmony import */ var react__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(react__WEBPACK_IMPORTED_MODULE_0__);\n/* harmony import */ var prop_types__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! prop-types */ "prop-types");\n/* harmony import */ var prop_types__WEBPACK_IMPORTED_MODULE_1___default = /*#__PURE__*/__webpack_require__.n(prop_types__WEBPACK_IMPORTED_MODULE_1__);\n/* harmony import */ var classnames__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! classnames */ "./node_modules/classnames/index.js");\n/* harmony import */ var classnames__WEBPACK_IMPORTED_MODULE_2___default = /*#__PURE__*/__webpack_require__.n(classnames__WEBPACK_IMPORTED_MODULE_2__);\n\n\n\nvar PREFIX = "vds-code";\n/** Code displays short strings of code snippets inline with body text. */\n\nvar Code = function Code(_ref) {\n var children = _ref.children;\n var className = classnames__WEBPACK_IMPORTED_MODULE_2___default()(PREFIX);\n return react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("code", {\n className: className\n }, children);\n};\n\nCode.propTypes = {\n /** Code to be displayed */\n children: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.string.isRequired\n};\n/* harmony default export */ __webpack_exports__["default"] = (Code);\n\n//# sourceURL=webpack://veritas/./packages/veritas-components/src/components/Code/Code.jsx?')},"./packages/veritas-components/src/components/CodeBlock/CodeBlock.jsx": /*!****************************************************************************!*\ !*** ./packages/veritas-components/src/components/CodeBlock/CodeBlock.jsx ***! \****************************************************************************/ /*! exports provided: default */function packagesVeritasComponentsSrcComponentsCodeBlockCodeBlockJsx(module,__webpack_exports__,__webpack_require__){eval('__webpack_require__.r(__webpack_exports__);\n/* harmony import */ var react__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! react */ "react");\n/* harmony import */ var react__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(react__WEBPACK_IMPORTED_MODULE_0__);\n/* harmony import */ var prop_types__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! prop-types */ "prop-types");\n/* harmony import */ var prop_types__WEBPACK_IMPORTED_MODULE_1___default = /*#__PURE__*/__webpack_require__.n(prop_types__WEBPACK_IMPORTED_MODULE_1__);\n/* harmony import */ var classnames__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! classnames */ "./node_modules/classnames/index.js");\n/* harmony import */ var classnames__WEBPACK_IMPORTED_MODULE_2___default = /*#__PURE__*/__webpack_require__.n(classnames__WEBPACK_IMPORTED_MODULE_2__);\n\n\n\nvar PREFIX = "vds-codeblock";\n/** CodeBlocks display preformatted blocks of code longer than a line or single expression. */\n\nvar CodeBlock = function CodeBlock(_ref) {\n var children = _ref.children,\n numbered = _ref.numbered;\n var className = classnames__WEBPACK_IMPORTED_MODULE_2___default()(PREFIX, numbered && PREFIX + "--numbered");\n return react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("pre", {\n className: className\n }, numbered ? children.split("\\n").map(function (line, key) {\n return react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("code", {\n key: key\n }, line);\n }) // eslint-disable-line react/no-array-index-key\n : react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("code", null, children));\n};\n\nCodeBlock.propTypes = {\n /** Code to be displayed (must be escaped) */\n children: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.string.isRequired,\n\n /** Display line numbers */\n numbered: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.bool\n};\nCodeBlock.defaultProps = {\n numbered: false\n};\n/* harmony default export */ __webpack_exports__["default"] = (CodeBlock);\n\n//# sourceURL=webpack://veritas/./packages/veritas-components/src/components/CodeBlock/CodeBlock.jsx?')},"./packages/veritas-components/src/components/Flex/Flex.jsx": /*!******************************************************************!*\ !*** ./packages/veritas-components/src/components/Flex/Flex.jsx ***! \******************************************************************/ /*! exports provided: ALIGNMENTS, DIRECTIONS, JUSTIFICATIONS, SPACING, WRAPPING, default */function packagesVeritasComponentsSrcComponentsFlexFlexJsx(module,__webpack_exports__,__webpack_require__){eval('__webpack_require__.r(__webpack_exports__);\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "ALIGNMENTS", function() { return ALIGNMENTS; });\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "DIRECTIONS", function() { return DIRECTIONS; });\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "JUSTIFICATIONS", function() { return JUSTIFICATIONS; });\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "SPACING", function() { return SPACING; });\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "WRAPPING", function() { return WRAPPING; });\n/* harmony import */ var react__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! react */ "react");\n/* harmony import */ var react__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(react__WEBPACK_IMPORTED_MODULE_0__);\n/* harmony import */ var prop_types__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! prop-types */ "prop-types");\n/* harmony import */ var prop_types__WEBPACK_IMPORTED_MODULE_1___default = /*#__PURE__*/__webpack_require__.n(prop_types__WEBPACK_IMPORTED_MODULE_1__);\n/* harmony import */ var classnames__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! classnames */ "./node_modules/classnames/index.js");\n/* harmony import */ var classnames__WEBPACK_IMPORTED_MODULE_2___default = /*#__PURE__*/__webpack_require__.n(classnames__WEBPACK_IMPORTED_MODULE_2__);\n\n\n\nvar PREFIX = "vds-flex";\nvar ALIGNMENTS = ["start", "end", "center", "baseline", "stretch"];\nvar DIRECTIONS = ["row", "column", "row-reverse", "column-reverse"];\nvar JUSTIFICATIONS = ["start", "end", "center", "around", "between", "evenly"];\nvar SPACING = ["none", "half", "1x", "2x", "3x", "4x", "6x"];\nvar WRAPPING = ["wrap", "none", "reverse"];\n/** Flex is an invisible wrapper used to lay out other components in a flexible manner, with control over alignment, spacing and wrapping.\n * The API is adapted from the [Flexbox Layout module](https://css-tricks.com/snippets/css/a-guide-to-flexbox/) for performing small-scale layouts,\n * rather than full page layouts.\n */\n\nvar Flex = function Flex(_ref) {\n var children = _ref.children,\n align = _ref.align,\n center = _ref.center,\n direction = _ref.direction,\n full = _ref.full,\n inline = _ref.inline,\n justify = _ref.justify,\n spacing = _ref.spacing,\n wrap = _ref.wrap;\n var className = classnames__WEBPACK_IMPORTED_MODULE_2___default()(PREFIX, align && !center && PREFIX + "--align-" + align, center && PREFIX + "--center", direction != "row" && PREFIX + "--direction-" + direction, full && PREFIX + "--full", inline && PREFIX + "--inline", justify && !center && PREFIX + "--justify-" + justify, spacing !== "none" && PREFIX + "--spacing-" + spacing, wrap !== "wrap" && PREFIX + "--wrap-" + wrap);\n return react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("div", {\n className: className\n }, react__WEBPACK_IMPORTED_MODULE_0__["Children"].map(children, function (child) {\n return react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("div", {\n className: PREFIX + "__item"\n }, child);\n }));\n};\n\nFlex.propTypes = {\n /** Elements to display inside Flex container */\n children: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.node.isRequired,\n\n /** Item alignment along cross axis */\n align: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.oneOf(ALIGNMENTS),\n\n /** Shortcut to vertically and horizontally center items. Often combined with `full` */\n center: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.bool,\n\n /** Flow direction of items along main axis */\n direction: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.oneOf(DIRECTIONS),\n\n /** Sets height, width, and flex-basis to 100%. Often combined with `center` */\n full: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.bool,\n\n /** Makes Flex container behave like an inline element. Flex is block-level by default. */\n inline: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.bool,\n\n /** Item alignment along main axis */\n justify: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.oneOf(JUSTIFICATIONS),\n\n /** Amount of consistent spacing between items */\n spacing: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.oneOf(SPACING),\n\n /** Determines how items behave if items overflow */\n wrap: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.oneOf(WRAPPING)\n};\nFlex.defaultProps = {\n align: "start",\n center: false,\n direction: "row",\n full: false,\n inline: false,\n justify: "start",\n spacing: "2x",\n wrap: "wrap"\n};\n/* harmony default export */ __webpack_exports__["default"] = (Flex);\n\n//# sourceURL=webpack://veritas/./packages/veritas-components/src/components/Flex/Flex.jsx?')},"./packages/veritas-components/src/components/FormFieldset/FormFieldset.jsx": /*!**********************************************************************************!*\ !*** ./packages/veritas-components/src/components/FormFieldset/FormFieldset.jsx ***! \**********************************************************************************/ /*! exports provided: default */function packagesVeritasComponentsSrcComponentsFormFieldsetFormFieldsetJsx(module,__webpack_exports__,__webpack_require__){eval('__webpack_require__.r(__webpack_exports__);\n/* harmony import */ var react__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! react */ "react");\n/* harmony import */ var react__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(react__WEBPACK_IMPORTED_MODULE_0__);\n/* harmony import */ var prop_types__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! prop-types */ "prop-types");\n/* harmony import */ var prop_types__WEBPACK_IMPORTED_MODULE_1___default = /*#__PURE__*/__webpack_require__.n(prop_types__WEBPACK_IMPORTED_MODULE_1__);\n/* harmony import */ var classnames__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! classnames */ "./node_modules/classnames/index.js");\n/* harmony import */ var classnames__WEBPACK_IMPORTED_MODULE_2___default = /*#__PURE__*/__webpack_require__.n(classnames__WEBPACK_IMPORTED_MODULE_2__);\n\n\n\nvar PREFIX = "vds-form-fieldset";\n/** A FormFieldset groups related form elements together and improves accessibility. */\n\nvar FormFieldset = function FormFieldset(_ref) {\n var children = _ref.children,\n title = _ref.title,\n disabled = _ref.disabled,\n hiddenTitle = _ref.hiddenTitle;\n var className = classnames__WEBPACK_IMPORTED_MODULE_2___default()(PREFIX);\n var titleClassName = classnames__WEBPACK_IMPORTED_MODULE_2___default()(PREFIX + "__title", hiddenTitle && "vds-visually-hidden");\n return react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("fieldset", {\n className: className,\n disabled: disabled\n }, react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("legend", {\n className: titleClassName\n }, title), children);\n};\n\nFormFieldset.propTypes = {\n /** Semantically related form elements to wrap in `fieldset` */\n children: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.node.isRequired,\n\n /** Text to describe grouped form elements */\n title: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.string.isRequired,\n\n /** Disables all descendent form elements and controls */\n disabled: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.bool,\n\n /** Hide title visually */\n hiddenTitle: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.bool\n};\nFormFieldset.defaultProps = {\n disabled: false,\n hiddenTitle: false\n};\n/* harmony default export */ __webpack_exports__["default"] = (FormFieldset);\n\n//# sourceURL=webpack://veritas/./packages/veritas-components/src/components/FormFieldset/FormFieldset.jsx?')},"./packages/veritas-components/src/components/FormValidation/FormValidation.jsx": /*!**************************************************************************************!*\ !*** ./packages/veritas-components/src/components/FormValidation/FormValidation.jsx ***! \**************************************************************************************/ /*! exports provided: VARIANTS, default */function packagesVeritasComponentsSrcComponentsFormValidationFormValidationJsx(module,__webpack_exports__,__webpack_require__){eval('__webpack_require__.r(__webpack_exports__);\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "VARIANTS", function() { return VARIANTS; });\n/* harmony import */ var react__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! react */ "react");\n/* harmony import */ var react__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(react__WEBPACK_IMPORTED_MODULE_0__);\n/* harmony import */ var prop_types__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! prop-types */ "prop-types");\n/* harmony import */ var prop_types__WEBPACK_IMPORTED_MODULE_1___default = /*#__PURE__*/__webpack_require__.n(prop_types__WEBPACK_IMPORTED_MODULE_1__);\n/* harmony import */ var classnames__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! classnames */ "./node_modules/classnames/index.js");\n/* harmony import */ var classnames__WEBPACK_IMPORTED_MODULE_2___default = /*#__PURE__*/__webpack_require__.n(classnames__WEBPACK_IMPORTED_MODULE_2__);\n\n\n\nvar PREFIX = "vds-form-validation";\nvar VARIANTS = ["error", "warning", "success"];\nvar IconWarning = react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("i", {\n className: "vds-icon",\n role: "img",\n "aria-hidden": "true"\n}, react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("svg", {\n viewBox: "0 0 32 32"\n}, react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("path", {\n d: "M16.874 6.514l10 18A1 1 0 0 1 26 26H6a1 1 0 0 1-.874-1.486l10-18a1 1 0 0 1 1.748 0zM7.7 24h16.6L16 9.06 7.7 24zm8.3-2a1 1 0 1 1 0-2 1 1 0 0 1 0 2zm-1-8a1 1 0 0 1 2 0v4a1 1 0 0 1-2 0v-4z",\n fillRule: "nonzero"\n})));\nvar IconCheckCircled = react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("i", {\n className: "vds-icon",\n role: "img",\n "aria-hidden": "true"\n}, react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("svg", {\n viewBox: "0 0 32 32"\n}, react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("path", {\n d: "M16 26c-5.523 0-10-4.477-10-10S10.477 6 16 6s10 4.477 10 10-4.477 10-10 10zm0-2a8 8 0 1 0 0-16 8 8 0 0 0 0 16zm-3.293-7.907l2.294 2.294 4.142-6.901a1 1 0 0 1 1.714 1.028l-4.8 8a1 1 0 0 1-1.564.193l-3.2-3.2a1 1 0 0 1 1.414-1.414z",\n fillRule: "nonzero"\n})));\n/** FormValidation provides a helpful message for validating data in a form component. */\n\nvar FormValidation = function FormValidation(_ref) {\n var message = _ref.message,\n variant = _ref.variant;\n var className = classnames__WEBPACK_IMPORTED_MODULE_2___default()(PREFIX, variant && PREFIX + "--" + variant);\n return react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("div", {\n className: className,\n role: "alert"\n }, react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("span", null, message), variant === "success" ? IconCheckCircled : IconWarning);\n};\n\nFormValidation.propTypes = {\n /** Message to display inside of component */\n message: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.string.isRequired,\n\n /** Visual style of validation */\n variant: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.oneOf(VARIANTS)\n};\nFormValidation.defaultProps = {\n variant: "error"\n};\n/* harmony default export */ __webpack_exports__["default"] = (FormValidation);\n\n//# sourceURL=webpack://veritas/./packages/veritas-components/src/components/FormValidation/FormValidation.jsx?')},"./packages/veritas-components/src/components/Heading/Heading.jsx": /*!************************************************************************!*\ !*** ./packages/veritas-components/src/components/Heading/Heading.jsx ***! \************************************************************************/ /*! exports provided: ELEMENTS, ALIGNMENT, SPACING, COLORS, default */function packagesVeritasComponentsSrcComponentsHeadingHeadingJsx(module,__webpack_exports__,__webpack_require__){eval('__webpack_require__.r(__webpack_exports__);\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "ELEMENTS", function() { return ELEMENTS; });\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "ALIGNMENT", function() { return ALIGNMENT; });\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "SPACING", function() { return SPACING; });\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "COLORS", function() { return COLORS; });\n/* harmony import */ var react__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! react */ "react");\n/* harmony import */ var react__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(react__WEBPACK_IMPORTED_MODULE_0__);\n/* harmony import */ var prop_types__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! prop-types */ "prop-types");\n/* harmony import */ var prop_types__WEBPACK_IMPORTED_MODULE_1___default = /*#__PURE__*/__webpack_require__.n(prop_types__WEBPACK_IMPORTED_MODULE_1__);\n/* harmony import */ var classnames__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! classnames */ "./node_modules/classnames/index.js");\n/* harmony import */ var classnames__WEBPACK_IMPORTED_MODULE_2___default = /*#__PURE__*/__webpack_require__.n(classnames__WEBPACK_IMPORTED_MODULE_2__);\n\n\n\nvar PREFIX = "vds-heading";\nvar ELEMENTS = ["h1", "h2", "h3", "h4", "h5", "h6"];\nvar ALIGNMENT = ["left", "center", "right"];\nvar SPACING = ["none", "half", "1x", "2x", "3x", "4x", "6x"];\nvar COLORS = ["white", "black", "slate", "silver", "red", "orange", "green", "blue"];\n/** Headings are used as the titles of important sections on a page of an interface. */\n\nvar Heading = function Heading(_ref) {\n var children = _ref.children,\n DefaultElement = _ref.size,\n align = _ref.align,\n OverrideElement = _ref.as,\n color = _ref.color,\n spacing = _ref.spacing;\n var className = classnames__WEBPACK_IMPORTED_MODULE_2___default()(DefaultElement && PREFIX + "--" + DefaultElement, align !== "left" && "vds-text-align--" + align, spacing !== "md" && "vds-spacing--stack-" + spacing, color !== "black" && "vds-color--" + color);\n\n if (OverrideElement) {\n return react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement(OverrideElement, {\n className: className\n }, children);\n }\n\n return react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement(DefaultElement, {\n className: className\n }, children);\n};\n\nHeading.propTypes = {\n /** Heading content */\n children: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.node.isRequired,\n\n /** Visual size and style of heading. By default, the rendered HTML element uses this value. To render a different tag, use the `as` prop */\n size: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.oneOf(ELEMENTS).isRequired,\n\n /** Heading alignment */\n align: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.oneOf(ALIGNMENT),\n\n /** The `as` prop will render a different HTML element than the visual style to preserve semantic order on the page. Defaults to the value set in `size` */\n as: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.oneOf(ELEMENTS),\n\n /** Color of text */\n color: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.oneOf(COLORS),\n\n /** Amount of `margin-bottom` applied */\n spacing: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.oneOf(SPACING)\n};\nHeading.defaultProps = {\n align: "left",\n as: null,\n color: "black",\n spacing: "3x"\n};\n/* harmony default export */ __webpack_exports__["default"] = (Heading);\n\n//# sourceURL=webpack://veritas/./packages/veritas-components/src/components/Heading/Heading.jsx?')},"./packages/veritas-components/src/components/Icon/Icon.jsx": /*!******************************************************************!*\ !*** ./packages/veritas-components/src/components/Icon/Icon.jsx ***! \******************************************************************/ /*! exports provided: SIZES, COLORS, default */function packagesVeritasComponentsSrcComponentsIconIconJsx(module,__webpack_exports__,__webpack_require__){eval('__webpack_require__.r(__webpack_exports__);\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "SIZES", function() { return SIZES; });\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "COLORS", function() { return COLORS; });\n/* harmony import */ var react__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! react */ "react");\n/* harmony import */ var react__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(react__WEBPACK_IMPORTED_MODULE_0__);\n/* harmony import */ var prop_types__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! prop-types */ "prop-types");\n/* harmony import */ var prop_types__WEBPACK_IMPORTED_MODULE_1___default = /*#__PURE__*/__webpack_require__.n(prop_types__WEBPACK_IMPORTED_MODULE_1__);\n/* harmony import */ var classnames__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! classnames */ "./node_modules/classnames/index.js");\n/* harmony import */ var classnames__WEBPACK_IMPORTED_MODULE_2___default = /*#__PURE__*/__webpack_require__.n(classnames__WEBPACK_IMPORTED_MODULE_2__);\n/* harmony import */ var _VisuallyHidden_VisuallyHidden__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../VisuallyHidden/VisuallyHidden */ "./packages/veritas-components/src/components/VisuallyHidden/VisuallyHidden.jsx");\n\n\n\n\nvar PREFIX = "vds-icon";\nvar SIZES = ["sm", "md", "lg"];\nvar COLORS = ["white", "black", "cerulean", "slate", "silver", "red", "orange", "green", "blue", "purple", "yellow", "teal", "magenta"];\n/** Icons help clarify actions, status, and feedback on the interface. */\n\nvar Icon = function Icon(_ref) {\n var children = _ref.children,\n color = _ref.color,\n size = _ref.size,\n title = _ref.title;\n var className = classnames__WEBPACK_IMPORTED_MODULE_2___default()(PREFIX, size !== "md" && PREFIX + "--" + size, color !== "black" && "vds-color--" + color);\n return react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("i", {\n className: className,\n role: "img",\n "aria-hidden": title ? null : true\n }, title && react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement(_VisuallyHidden_VisuallyHidden__WEBPACK_IMPORTED_MODULE_3__["default"], null, title), children);\n};\n\nIcon.propTypes = {\n /** SVG code of custom icon */\n children: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.node.isRequired,\n\n /** Fill color of icon */\n color: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.oneOf(COLORS),\n\n /** Visual size of icon */\n size: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.oneOf(SIZES),\n\n /** Descriptive text to communicate icon meaning to screen readers */\n title: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.string\n};\nIcon.defaultProps = {\n color: "black",\n size: "md",\n title: null\n};\n/* harmony default export */ __webpack_exports__["default"] = (Icon);\n\n//# sourceURL=webpack://veritas/./packages/veritas-components/src/components/Icon/Icon.jsx?')},"./packages/veritas-components/src/components/Link/Link.jsx": /*!******************************************************************!*\ !*** ./packages/veritas-components/src/components/Link/Link.jsx ***! \******************************************************************/ /*! exports provided: default */function packagesVeritasComponentsSrcComponentsLinkLinkJsx(module,__webpack_exports__,__webpack_require__){eval('__webpack_require__.r(__webpack_exports__);\n/* harmony import */ var react__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! react */ "react");\n/* harmony import */ var react__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(react__WEBPACK_IMPORTED_MODULE_0__);\n/* harmony import */ var prop_types__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! prop-types */ "prop-types");\n/* harmony import */ var prop_types__WEBPACK_IMPORTED_MODULE_1___default = /*#__PURE__*/__webpack_require__.n(prop_types__WEBPACK_IMPORTED_MODULE_1__);\n/* harmony import */ var classnames__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! classnames */ "./node_modules/classnames/index.js");\n/* harmony import */ var classnames__WEBPACK_IMPORTED_MODULE_2___default = /*#__PURE__*/__webpack_require__.n(classnames__WEBPACK_IMPORTED_MODULE_2__);\n\n\n\nvar PREFIX = "vds-link";\n/** Links are used to navigate to a new page or view, changing the URL, or jumping internally to anchors on the same page. */\n\nvar Link = function Link(_ref) {\n var children = _ref.children,\n href = _ref.href,\n external = _ref.external,\n onClick = _ref.onClick,\n testID = _ref.testID;\n var className = classnames__WEBPACK_IMPORTED_MODULE_2___default()(PREFIX);\n return react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("a", {\n className: className,\n "data-testid": testID,\n href: href,\n onClick: onClick,\n rel: external ? "noopener noreferrer" : null,\n target: external ? "_blank" : null\n }, children);\n};\n\nLink.propTypes = {\n /** Text for link */\n children: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.string.isRequired,\n\n /** `href` for link destination */\n href: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.string.isRequired,\n\n /** Opens URL in new window or tab */\n external: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.bool,\n\n /** Callback when link is clicked */\n onClick: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.func,\n\n /** A unique value for `data-testid` to serve as a hook for automated tests. */\n testID: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.string\n};\nLink.defaultProps = {\n external: false,\n onClick: null,\n testID: null\n};\n/* harmony default export */ __webpack_exports__["default"] = (Link);\n\n//# sourceURL=webpack://veritas/./packages/veritas-components/src/components/Link/Link.jsx?')},"./packages/veritas-components/src/components/Loading/Loading.jsx": /*!************************************************************************!*\ !*** ./packages/veritas-components/src/components/Loading/Loading.jsx ***! \************************************************************************/ /*! exports provided: SIZES, default */function packagesVeritasComponentsSrcComponentsLoadingLoadingJsx(module,__webpack_exports__,__webpack_require__){eval('__webpack_require__.r(__webpack_exports__);\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "SIZES", function() { return SIZES; });\n/* harmony import */ var react__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! react */ "react");\n/* harmony import */ var react__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(react__WEBPACK_IMPORTED_MODULE_0__);\n/* harmony import */ var prop_types__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! prop-types */ "prop-types");\n/* harmony import */ var prop_types__WEBPACK_IMPORTED_MODULE_1___default = /*#__PURE__*/__webpack_require__.n(prop_types__WEBPACK_IMPORTED_MODULE_1__);\n/* harmony import */ var classnames__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! classnames */ "./node_modules/classnames/index.js");\n/* harmony import */ var classnames__WEBPACK_IMPORTED_MODULE_2___default = /*#__PURE__*/__webpack_require__.n(classnames__WEBPACK_IMPORTED_MODULE_2__);\n\n\n\nvar PREFIX = "vds-loading";\nvar SIZES = ["sm", "md", "lg"];\n/** Loading indicates that an action is being processed. */\n\nvar Loading = function Loading(_ref) {\n var busy = _ref.busy,\n children = _ref.children,\n label = _ref.label,\n size = _ref.size;\n var className = classnames__WEBPACK_IMPORTED_MODULE_2___default()(PREFIX, PREFIX + "--" + size, busy && PREFIX + "--busy");\n var spinnerMarkup = react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("i", {\n className: PREFIX + "__spinner"\n });\n var childrenMarkup = react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("div", {\n className: PREFIX + "__children"\n }, children);\n return react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("div", {\n className: className,\n role: "status",\n "aria-label": label\n }, !children || busy ? spinnerMarkup : null, children && childrenMarkup);\n};\n\nLoading.propTypes = {\n /** Toggles on loading indicator and opacity when wrapping children */\n busy: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.bool,\n\n /** Pass a block of content as a child to apply loading styles */\n children: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.node,\n\n /** Descriptive [`aria-label`](https://developer.mozilla.org/en-US/docs/Web/Accessibility/ARIA/ARIA_Techniques/Using_the_aria-label_attribute) text to label Loading for accessibility */\n label: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.string,\n\n /** Size of loading indicator */\n size: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.oneOf(SIZES)\n};\nLoading.defaultProps = {\n busy: false,\n children: null,\n label: "Loading…",\n size: "md"\n};\n/* harmony default export */ __webpack_exports__["default"] = (Loading);\n\n//# sourceURL=webpack://veritas/./packages/veritas-components/src/components/Loading/Loading.jsx?')},"./packages/veritas-components/src/components/Modal/Modal.jsx": /*!********************************************************************!*\ !*** ./packages/veritas-components/src/components/Modal/Modal.jsx ***! \********************************************************************/ /*! exports provided: PREFIX, default */function packagesVeritasComponentsSrcComponentsModalModalJsx(module,__webpack_exports__,__webpack_require__){eval('__webpack_require__.r(__webpack_exports__);\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "PREFIX", function() { return PREFIX; });\n/* harmony import */ var react__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! react */ "react");\n/* harmony import */ var react__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(react__WEBPACK_IMPORTED_MODULE_0__);\n/* harmony import */ var react_dom__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! react-dom */ "react-dom");\n/* harmony import */ var react_dom__WEBPACK_IMPORTED_MODULE_1___default = /*#__PURE__*/__webpack_require__.n(react_dom__WEBPACK_IMPORTED_MODULE_1__);\n/* harmony import */ var prop_types__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! prop-types */ "prop-types");\n/* harmony import */ var prop_types__WEBPACK_IMPORTED_MODULE_2___default = /*#__PURE__*/__webpack_require__.n(prop_types__WEBPACK_IMPORTED_MODULE_2__);\n/* harmony import */ var classnames__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! classnames */ "./node_modules/classnames/index.js");\n/* harmony import */ var classnames__WEBPACK_IMPORTED_MODULE_3___default = /*#__PURE__*/__webpack_require__.n(classnames__WEBPACK_IMPORTED_MODULE_3__);\n/* harmony import */ var focus_trap_react__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! focus-trap-react */ "./node_modules/focus-trap-react/dist/focus-trap-react.js");\n/* harmony import */ var focus_trap_react__WEBPACK_IMPORTED_MODULE_4___default = /*#__PURE__*/__webpack_require__.n(focus_trap_react__WEBPACK_IMPORTED_MODULE_4__);\n/* harmony import */ var _Button_Button__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ../Button/Button */ "./packages/veritas-components/src/components/Button/Button.jsx");\n/* harmony import */ var _Icon_Icon__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ../Icon/Icon */ "./packages/veritas-components/src/components/Icon/Icon.jsx");\nfunction _inheritsLoose(subClass, superClass) { subClass.prototype = Object.create(superClass.prototype); subClass.prototype.constructor = subClass; subClass.__proto__ = superClass; }\n\nfunction _assertThisInitialized(self) { if (self === void 0) { throw new ReferenceError("this hasn\'t been initialised - super() hasn\'t been called"); } return self; }\n\nfunction _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }\n\n\n\n\n\n\n\n\nvar PREFIX = "vds-modal";\nvar SCROLL_LOCK_CLASSNAME = "vds-scroll-lock";\n/**\n * Modals present content in a layer above the page to inform users about a task, convey important information, or require a decision.\n * They can be dismissed using the `esc` key or by clicking outside.\n * Use Modals sparingly to avoid interrupting workflows too frequently.\n **/\n\nvar Modal =\n/*#__PURE__*/\nfunction (_Component) {\n _inheritsLoose(Modal, _Component);\n\n function Modal() {\n var _this;\n\n for (var _len = arguments.length, args = new Array(_len), _key = 0; _key < _len; _key++) {\n args[_key] = arguments[_key];\n }\n\n _this = _Component.call.apply(_Component, [this].concat(args)) || this;\n\n _defineProperty(_assertThisInitialized(_assertThisInitialized(_this)), "onKeyDown", function (_ref) {\n var keyCode = _ref.keyCode;\n return keyCode === 27 && _this.props.onClose();\n });\n\n _defineProperty(_assertThisInitialized(_assertThisInitialized(_this)), "onClickOutside", function (evt) {\n if (_this.modalNode && _this.modalNode.contains(evt.target)) return;\n\n _this.props.onClose();\n });\n\n return _this;\n }\n\n var _proto = Modal.prototype;\n\n _proto.render = function render() {\n var _this2 = this;\n\n var _this$props = this.props,\n children = _this$props.children,\n label = _this$props.label,\n onClose = _this$props.onClose,\n closeLabel = _this$props.closeLabel,\n open = _this$props.open;\n var className = classnames__WEBPACK_IMPORTED_MODULE_3___default()(PREFIX);\n var currentPage = document.querySelector("html").classList; // Lock scrolling when modal is open\n\n open ? currentPage.add(SCROLL_LOCK_CLASSNAME) : currentPage.remove(SCROLL_LOCK_CLASSNAME);\n var closeIcon = react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement(_Icon_Icon__WEBPACK_IMPORTED_MODULE_6__["default"], {\n size: "sm",\n color: "silver"\n }, react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("svg", {\n viewBox: "0 0 32 32"\n }, react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("path", {\n d: "M14.586 16L7.293 8.707a1 1 0 0 1 1.414-1.414L16 14.586l7.293-7.293a1 1 0 0 1 1.414 1.414L17.414 16l7.293 7.293a1 1 0 0 1-1.414 1.414L16 17.414l-7.293 7.293a1 1 0 1 1-1.414-1.414L14.586 16z",\n fillRule: "nonzero"\n })));\n var closeButton = react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("div", {\n className: PREFIX + "__close-button"\n }, react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement(_Button_Button__WEBPACK_IMPORTED_MODULE_5__["default"], {\n label: closeLabel,\n icon: closeIcon,\n iconOnly: true,\n onClick: onClose,\n small: true,\n variant: "minimal"\n }));\n return Object(react_dom__WEBPACK_IMPORTED_MODULE_1__["createPortal"])(react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement(react__WEBPACK_IMPORTED_MODULE_0__["Fragment"], null, open && react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement(focus_trap_react__WEBPACK_IMPORTED_MODULE_4___default.a, {\n "aria-label": label,\n "aria-modal": "true",\n className: PREFIX + "__blanket",\n onClick: this.onClickOutside,\n onKeyDown: this.onKeyDown,\n role: "dialog",\n tabIndex: "-1",\n tag: "aside"\n }, react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("div", {\n className: className,\n ref: function ref(n) {\n return _this2.modalNode = n;\n }\n }, closeButton, react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("div", {\n className: PREFIX + "__content"\n }, children)))), document.body);\n };\n\n return Modal;\n}(react__WEBPACK_IMPORTED_MODULE_0__["Component"]);\n\nModal.propTypes = {\n /** Content displayed inside the Modal */\n children: prop_types__WEBPACK_IMPORTED_MODULE_2___default.a.node.isRequired,\n\n /** Descriptive [`aria-label`](https://developer.mozilla.org/en-US/docs/Web/Accessibility/ARIA/ARIA_Techniques/Using_the_aria-label_attribute) text to label content of Modal for accessibility */\n label: prop_types__WEBPACK_IMPORTED_MODULE_2___default.a.string.isRequired,\n\n /** Callback when Modal is closed */\n onClose: prop_types__WEBPACK_IMPORTED_MODULE_2___default.a.func.isRequired,\n\n /** Close button `aria-label` text for accessibility */\n closeLabel: prop_types__WEBPACK_IMPORTED_MODULE_2___default.a.string,\n\n /** Toggles whether Modal is visible and rendered in DOM */\n open: prop_types__WEBPACK_IMPORTED_MODULE_2___default.a.bool\n};\nModal.defaultProps = {\n closeLabel: "Close Modal",\n open: false\n};\n/* harmony default export */ __webpack_exports__["default"] = (Modal);\n\n//# sourceURL=webpack://veritas/./packages/veritas-components/src/components/Modal/Modal.jsx?')},"./packages/veritas-components/src/components/Quote/Quote.jsx": /*!********************************************************************!*\ !*** ./packages/veritas-components/src/components/Quote/Quote.jsx ***! \********************************************************************/ /*! exports provided: ALIGNMENT, default */function packagesVeritasComponentsSrcComponentsQuoteQuoteJsx(module,__webpack_exports__,__webpack_require__){eval('__webpack_require__.r(__webpack_exports__);\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "ALIGNMENT", function() { return ALIGNMENT; });\n/* harmony import */ var react__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! react */ "react");\n/* harmony import */ var react__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(react__WEBPACK_IMPORTED_MODULE_0__);\n/* harmony import */ var prop_types__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! prop-types */ "prop-types");\n/* harmony import */ var prop_types__WEBPACK_IMPORTED_MODULE_1___default = /*#__PURE__*/__webpack_require__.n(prop_types__WEBPACK_IMPORTED_MODULE_1__);\n/* harmony import */ var classnames__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! classnames */ "./node_modules/classnames/index.js");\n/* harmony import */ var classnames__WEBPACK_IMPORTED_MODULE_2___default = /*#__PURE__*/__webpack_require__.n(classnames__WEBPACK_IMPORTED_MODULE_2__);\n\n\n\nvar PREFIX = "vds-quote";\nvar ALIGNMENT = ["center", "left", "right"];\n/** Quote is for displaying quoted text, often used for testimonials. */\n\nvar Quote = function Quote(_ref) {\n var children = _ref.children,\n align = _ref.align;\n var className = classnames__WEBPACK_IMPORTED_MODULE_2___default()(PREFIX, align !== "left" && "vds-text-align--" + align);\n return react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("blockquote", {\n className: className\n }, children);\n};\n\nQuote.propTypes = {\n /** Quoted text */\n children: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.string.isRequired,\n\n /** Text alignment */\n align: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.oneOf(ALIGNMENT)\n};\nQuote.defaultProps = {\n align: "center"\n};\n/* harmony default export */ __webpack_exports__["default"] = (Quote);\n\n//# sourceURL=webpack://veritas/./packages/veritas-components/src/components/Quote/Quote.jsx?')},"./packages/veritas-components/src/components/Radio/Radio.jsx": /*!********************************************************************!*\ !*** ./packages/veritas-components/src/components/Radio/Radio.jsx ***! \********************************************************************/ /*! exports provided: default */function packagesVeritasComponentsSrcComponentsRadioRadioJsx(module,__webpack_exports__,__webpack_require__){eval('__webpack_require__.r(__webpack_exports__);\n/* harmony import */ var react__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! react */ "react");\n/* harmony import */ var react__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(react__WEBPACK_IMPORTED_MODULE_0__);\n/* harmony import */ var prop_types__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! prop-types */ "prop-types");\n/* harmony import */ var prop_types__WEBPACK_IMPORTED_MODULE_1___default = /*#__PURE__*/__webpack_require__.n(prop_types__WEBPACK_IMPORTED_MODULE_1__);\n/* harmony import */ var classnames__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! classnames */ "./node_modules/classnames/index.js");\n/* harmony import */ var classnames__WEBPACK_IMPORTED_MODULE_2___default = /*#__PURE__*/__webpack_require__.n(classnames__WEBPACK_IMPORTED_MODULE_2__);\n/* harmony import */ var _VisuallyHidden_VisuallyHidden__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../VisuallyHidden/VisuallyHidden */ "./packages/veritas-components/src/components/VisuallyHidden/VisuallyHidden.jsx");\n\n\n\n\nvar PREFIX = "vds-radio";\n/** Radio is a single control for selecting a choice. Use [RadioGroup](#!/RadioGroup) for multiple options. */\n\nvar Radio = function Radio(_ref) {\n var id = _ref.id,\n label = _ref.label,\n checked = _ref.checked,\n defaultChecked = _ref.defaultChecked,\n disabled = _ref.disabled,\n hiddenLabel = _ref.hiddenLabel,\n name = _ref.name,\n onChange = _ref.onChange,\n required = _ref.required,\n testID = _ref.testID,\n value = _ref.value;\n var className = classnames__WEBPACK_IMPORTED_MODULE_2___default()(PREFIX, hiddenLabel && PREFIX + "--hidden");\n var labelMarkup = hiddenLabel ? react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement(_VisuallyHidden_VisuallyHidden__WEBPACK_IMPORTED_MODULE_3__["default"], null, label) : label;\n return react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("div", {\n className: className\n }, react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("input", {\n id: id,\n checked: checked,\n className: PREFIX + "__input",\n "data-testid": testID,\n defaultChecked: defaultChecked,\n disabled: disabled,\n name: name,\n onChange: onChange,\n required: required,\n type: "radio",\n value: value\n }), react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("label", {\n className: PREFIX + "__label",\n htmlFor: id\n }, labelMarkup));\n};\n\nRadio.propTypes = {\n /** Unique ID to associate the label with the button. In groups, each radio button requires a unique ID for the group to work */\n id: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.string.isRequired,\n\n /** Text label associated with the radio button (required for a11y) */\n label: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.string.isRequired,\n\n /** Controlled checked state (for controlled components). Requires `onChange` handler */\n checked: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.bool,\n\n /** Initial checked state (for uncontrolled components) */\n defaultChecked: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.bool,\n\n /** Disable radio button */\n disabled: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.bool,\n\n /** Hide label visually */\n hiddenLabel: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.bool,\n\n /** Used to uniquely define a group of radio buttons */\n name: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.string,\n\n /** Callback when selected */\n onChange: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.func,\n\n /** Indicates that a user must choose a value before submitting */\n required: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.bool,\n\n /** A unique value for `data-testid` to serve as a hook for automated tests */\n testID: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.string,\n\n /** Value of the radio button */\n value: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.string\n};\nRadio.defaultProps = {\n checked: undefined,\n defaultChecked: undefined,\n disabled: false,\n hiddenLabel: false,\n name: "vds-radio",\n onChange: null,\n required: false,\n testID: null,\n value: undefined\n};\n/* harmony default export */ __webpack_exports__["default"] = (Radio);\n\n//# sourceURL=webpack://veritas/./packages/veritas-components/src/components/Radio/Radio.jsx?')},"./packages/veritas-components/src/components/RadioGroup/RadioGroup.jsx": /*!******************************************************************************!*\ !*** ./packages/veritas-components/src/components/RadioGroup/RadioGroup.jsx ***! \******************************************************************************/ /*! exports provided: default */function packagesVeritasComponentsSrcComponentsRadioGroupRadioGroupJsx(module,__webpack_exports__,__webpack_require__){eval('__webpack_require__.r(__webpack_exports__);\n/* harmony import */ var react__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! react */ "react");\n/* harmony import */ var react__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(react__WEBPACK_IMPORTED_MODULE_0__);\n/* harmony import */ var prop_types__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! prop-types */ "prop-types");\n/* harmony import */ var prop_types__WEBPACK_IMPORTED_MODULE_1___default = /*#__PURE__*/__webpack_require__.n(prop_types__WEBPACK_IMPORTED_MODULE_1__);\n/* harmony import */ var classnames__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! classnames */ "./node_modules/classnames/index.js");\n/* harmony import */ var classnames__WEBPACK_IMPORTED_MODULE_2___default = /*#__PURE__*/__webpack_require__.n(classnames__WEBPACK_IMPORTED_MODULE_2__);\n\n\n\nvar PREFIX = "vds-radio-group";\n/** RadioGroup allows a single selection to be made from two or more list options. */\n\nvar RadioGroup = function RadioGroup(_ref) {\n var children = _ref.children,\n title = _ref.title,\n hiddenTitle = _ref.hiddenTitle,\n inline = _ref.inline,\n name = _ref.name,\n onChange = _ref.onChange;\n var className = classnames__WEBPACK_IMPORTED_MODULE_2___default()(PREFIX, inline && PREFIX + "--inline");\n var titleClassName = classnames__WEBPACK_IMPORTED_MODULE_2___default()(PREFIX + "__title", hiddenTitle && "vds-visually-hidden");\n var radioChildren = react__WEBPACK_IMPORTED_MODULE_0__["Children"].map(children, function (child) {\n if (child.type.name !== "Radio") {\n console.warn("Children must be an array of Radio components.");\n }\n\n return Object(react__WEBPACK_IMPORTED_MODULE_0__["cloneElement"])(child, {\n name: name,\n onChange: onChange\n });\n });\n return react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("fieldset", {\n className: className\n }, react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("legend", {\n className: titleClassName\n }, title), radioChildren);\n};\n\nRadioGroup.propTypes = {\n /** Radio components for group */\n children: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.node.isRequired,\n\n /** Text above RadioGroup (required for a11y) */\n title: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.string.isRequired,\n\n /** Hide title visually */\n hiddenTitle: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.bool,\n\n /** Display multiple radio buttons side by side */\n inline: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.bool,\n\n /** Used to uniquely define a group of radio buttons */\n name: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.string,\n\n /** Callback when a child in the group is selected */\n onChange: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.func\n};\nRadioGroup.defaultProps = {\n inline: false,\n hiddenTitle: false,\n name: "vds-radio",\n onChange: null\n};\n/* harmony default export */ __webpack_exports__["default"] = (RadioGroup);\n\n//# sourceURL=webpack://veritas/./packages/veritas-components/src/components/RadioGroup/RadioGroup.jsx?')},"./packages/veritas-components/src/components/Select/Select.jsx": /*!**********************************************************************!*\ !*** ./packages/veritas-components/src/components/Select/Select.jsx ***! \**********************************************************************/ /*! exports provided: default */function packagesVeritasComponentsSrcComponentsSelectSelectJsx(module,__webpack_exports__,__webpack_require__){eval('__webpack_require__.r(__webpack_exports__);\n/* harmony import */ var react__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! react */ "react");\n/* harmony import */ var react__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(react__WEBPACK_IMPORTED_MODULE_0__);\n/* harmony import */ var prop_types__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! prop-types */ "prop-types");\n/* harmony import */ var prop_types__WEBPACK_IMPORTED_MODULE_1___default = /*#__PURE__*/__webpack_require__.n(prop_types__WEBPACK_IMPORTED_MODULE_1__);\n/* harmony import */ var classnames__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! classnames */ "./node_modules/classnames/index.js");\n/* harmony import */ var classnames__WEBPACK_IMPORTED_MODULE_2___default = /*#__PURE__*/__webpack_require__.n(classnames__WEBPACK_IMPORTED_MODULE_2__);\n/* harmony import */ var Downshift__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! Downshift */ "./node_modules/Downshift/dist/downshift.esm.js");\n\n\n\n\nvar PREFIX = "vds-select";\n/** Select is a control for selecting a single choice from a list of four or more options. */\n\nvar Select = function Select(_ref) {\n var id = _ref.id,\n label = _ref.label,\n options = _ref.options,\n defaultValue = _ref.defaultValue,\n disabled = _ref.disabled,\n hiddenLabel = _ref.hiddenLabel,\n onBlur = _ref.onBlur,\n onChange = _ref.onChange,\n onFocus = _ref.onFocus,\n required = _ref.required,\n testID = _ref.testID,\n validation = _ref.validation,\n value = _ref.value;\n var className = classnames__WEBPACK_IMPORTED_MODULE_2___default()(PREFIX, validation && PREFIX + "--" + validation.props.variant);\n var labelClassName = classnames__WEBPACK_IMPORTED_MODULE_2___default()(PREFIX + "__label", hiddenLabel && "vds-visually-hidden");\n var IconArrow = react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("i", {\n className: "vds-icon vds-icon--sm vds-icon--arrow",\n role: "img",\n "aria-hidden": "true"\n }, react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("svg", {\n viewBox: "0 0 32 32"\n }, react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("path", {\n d: "M8.16 11.411l7.13 10.175c.297.422.903.541 1.356.265a.947.947 0 0 0 .292-.276l6.91-10.175c.29-.425.153-.99-.304-1.259A1.033 1.033 0 0 0 23.02 10H8.98c-.542 0-.98.409-.98.912 0 .178.055.351.16.5z",\n fillRule: "evenodd"\n })));\n return react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement(Downshift__WEBPACK_IMPORTED_MODULE_3__["default"], {\n itemToString: function itemToString(item) {\n return item ? item.value : "";\n },\n onChange: onChange || undefined\n }, function (_ref2) {\n var getItemProps = _ref2.getItemProps,\n getLabelProps = _ref2.getLabelProps,\n getMenuProps = _ref2.getMenuProps,\n getToggleButtonProps = _ref2.getToggleButtonProps,\n selectedItem = _ref2.selectedItem,\n isOpen = _ref2.isOpen;\n return react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("div", {\n className: classnames__WEBPACK_IMPORTED_MODULE_2___default()(className, !isOpen && PREFIX + "--hidden"),\n "aria-invalid": validation && validation.props.variant === "error"\n }, react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("label", getLabelProps({\n className: labelClassName,\n htmlFor: id\n }), label, !required && react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("span", {\n className: PREFIX + "__optional"\n }, "(Optional)")), react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("div", {\n className: PREFIX + "__input-container"\n }, react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("button", getToggleButtonProps({\n className: PREFIX + "__toggle",\n disabled: disabled,\n id: id,\n onBlur: onBlur,\n onFocus: onFocus,\n "data-testid": testID\n }), value || selectedItem && selectedItem.value || defaultValue), IconArrow, react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("ul", getMenuProps({\n className: PREFIX + "__options"\n }), options.map(function (item, index) {\n return react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("li", getItemProps({\n className: PREFIX + "__option",\n key: index,\n item: item\n }), item.value);\n }))), validation);\n });\n};\n\nSelect.propTypes = {\n /** Unique ID to associate the label with the Select */\n id: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.string.isRequired,\n\n /** Text label associated with the Select (required for a11y) */\n label: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.string.isRequired,\n\n /** List of options to choose from */\n options: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.arrayOf(prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.shape({\n value: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.string.isRequired\n })).isRequired,\n\n /** Initial selected value (for uncontrolled components) */\n defaultValue: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.string,\n\n /** Indicates the Select is not available for interaction */\n disabled: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.bool,\n\n /** Hide label visually */\n hiddenLabel: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.bool,\n\n /** Callback when Select loses focus */\n onBlur: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.func,\n\n /** Callback when Select value changes */\n onChange: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.func,\n\n /** Callback when Select receives focus */\n onFocus: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.func,\n\n /** Indicates that a user must select a value before submitting */\n required: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.bool,\n\n /** A unique value for `data-testid` to serve as a hook for automated tests */\n testID: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.string,\n\n /** The [FormValidation component](#!/FormValidation) */\n validation: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.node,\n\n /** Controlled selected value (for controlled components). Requires `onChange` handler */\n value: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.string\n};\nSelect.defaultProps = {\n defaultValue: undefined,\n disabled: false,\n hiddenLabel: false,\n onBlur: null,\n onChange: null,\n onFocus: null,\n required: false,\n testID: null,\n validation: null,\n value: undefined\n};\n/* harmony default export */ __webpack_exports__["default"] = (Select);\n\n//# sourceURL=webpack://veritas/./packages/veritas-components/src/components/Select/Select.jsx?')},"./packages/veritas-components/src/components/Space/Space.jsx": /*!********************************************************************!*\ !*** ./packages/veritas-components/src/components/Space/Space.jsx ***! \********************************************************************/ /*! exports provided: TYPES, SIZES, default */function packagesVeritasComponentsSrcComponentsSpaceSpaceJsx(module,__webpack_exports__,__webpack_require__){eval('__webpack_require__.r(__webpack_exports__);\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "TYPES", function() { return TYPES; });\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "SIZES", function() { return SIZES; });\n/* harmony import */ var react__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! react */ "react");\n/* harmony import */ var react__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(react__WEBPACK_IMPORTED_MODULE_0__);\n/* harmony import */ var prop_types__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! prop-types */ "prop-types");\n/* harmony import */ var prop_types__WEBPACK_IMPORTED_MODULE_1___default = /*#__PURE__*/__webpack_require__.n(prop_types__WEBPACK_IMPORTED_MODULE_1__);\n/* harmony import */ var classnames__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! classnames */ "./node_modules/classnames/index.js");\n/* harmony import */ var classnames__WEBPACK_IMPORTED_MODULE_2___default = /*#__PURE__*/__webpack_require__.n(classnames__WEBPACK_IMPORTED_MODULE_2__);\n\n\n\nvar PREFIX = "vds-spacing";\nvar TYPES = ["stack", "inline", "inset"];\nvar SIZES = ["half", "1x", "2x", "3x", "4x", "6x"];\n/** Space adjusts the areas below, between, or within components. */\n\nvar Space = function Space(_ref) {\n var children = _ref.children,\n type = _ref.type,\n size = _ref.size;\n var className = classnames__WEBPACK_IMPORTED_MODULE_2___default()(PREFIX, PREFIX + "--" + type + "-" + size);\n var Element = type === "inline" ? "span" : "div";\n return react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement(Element, {\n className: className\n }, children);\n};\n\nSpace.propTypes = {\n /** Component to receive spacing */\n children: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.node.isRequired,\n\n /** Direction of spacing */\n type: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.oneOf(TYPES).isRequired,\n\n /** Size value of spacing */\n size: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.oneOf(SIZES)\n};\nSpace.defaultProps = {\n size: "1x"\n};\n/* harmony default export */ __webpack_exports__["default"] = (Space);\n\n//# sourceURL=webpack://veritas/./packages/veritas-components/src/components/Space/Space.jsx?')},"./packages/veritas-components/src/components/Switch/Switch.jsx": /*!**********************************************************************!*\ !*** ./packages/veritas-components/src/components/Switch/Switch.jsx ***! \**********************************************************************/ /*! exports provided: default */function packagesVeritasComponentsSrcComponentsSwitchSwitchJsx(module,__webpack_exports__,__webpack_require__){eval('__webpack_require__.r(__webpack_exports__);\n/* harmony import */ var react__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! react */ "react");\n/* harmony import */ var react__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(react__WEBPACK_IMPORTED_MODULE_0__);\n/* harmony import */ var prop_types__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! prop-types */ "prop-types");\n/* harmony import */ var prop_types__WEBPACK_IMPORTED_MODULE_1___default = /*#__PURE__*/__webpack_require__.n(prop_types__WEBPACK_IMPORTED_MODULE_1__);\n/* harmony import */ var classnames__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! classnames */ "./node_modules/classnames/index.js");\n/* harmony import */ var classnames__WEBPACK_IMPORTED_MODULE_2___default = /*#__PURE__*/__webpack_require__.n(classnames__WEBPACK_IMPORTED_MODULE_2__);\n/* harmony import */ var _VisuallyHidden_VisuallyHidden__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ../VisuallyHidden/VisuallyHidden */ "./packages/veritas-components/src/components/VisuallyHidden/VisuallyHidden.jsx");\n\n\n\n\nvar PREFIX = "vds-switch";\n/** Switch is a single control for quickly toggling between two mutally exclusive states. They always have a default value, and trigger immediate results that don\'t require submission. */\n\nvar Switch = function Switch(_ref) {\n var id = _ref.id,\n label = _ref.label,\n checked = _ref.checked,\n defaultChecked = _ref.defaultChecked,\n disabled = _ref.disabled,\n hiddenLabel = _ref.hiddenLabel,\n onChange = _ref.onChange,\n testID = _ref.testID;\n var className = classnames__WEBPACK_IMPORTED_MODULE_2___default()(PREFIX, hiddenLabel && PREFIX + "--hidden");\n var labelMarkup = hiddenLabel ? react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement(_VisuallyHidden_VisuallyHidden__WEBPACK_IMPORTED_MODULE_3__["default"], null, label) : label;\n return react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("div", {\n className: className\n }, react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("input", {\n id: id,\n checked: checked,\n className: PREFIX + "__input",\n "data-testid": testID,\n defaultChecked: defaultChecked,\n disabled: disabled,\n onChange: onChange,\n role: "switch",\n type: "checkbox"\n }), react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("span", {\n className: PREFIX + "__toggle"\n }), react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("label", {\n className: PREFIX + "__label",\n htmlFor: id\n }, labelMarkup));\n};\n\nSwitch.propTypes = {\n /** Unique ID to associate the label with the switch */\n id: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.string.isRequired,\n\n /** Text label associated with the switch (required for a11y) */\n label: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.string.isRequired,\n\n /** Controlled switched on state (for controlled components). Requires `onChange` handler */\n checked: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.bool,\n\n /** Initial switched on state (for uncontrolled components) */\n defaultChecked: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.bool,\n\n /** Disable switch */\n disabled: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.bool,\n\n /** Hide label visually */\n hiddenLabel: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.bool,\n\n /** Callback when Switch toggled on or off */\n onChange: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.func,\n\n /** A unique value for `data-testid` to serve as a hook for automated tests. */\n testID: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.string\n};\nSwitch.defaultProps = {\n checked: undefined,\n defaultChecked: undefined,\n disabled: false,\n hiddenLabel: false,\n onChange: null,\n testID: null\n};\n/* harmony default export */ __webpack_exports__["default"] = (Switch);\n\n//# sourceURL=webpack://veritas/./packages/veritas-components/src/components/Switch/Switch.jsx?')},"./packages/veritas-components/src/components/Text/Text.jsx": /*!******************************************************************!*\ !*** ./packages/veritas-components/src/components/Text/Text.jsx ***! \******************************************************************/ /*! exports provided: SIZES, ALIGNMENT, SPACING, COLORS, default */function packagesVeritasComponentsSrcComponentsTextTextJsx(module,__webpack_exports__,__webpack_require__){eval('__webpack_require__.r(__webpack_exports__);\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "SIZES", function() { return SIZES; });\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "ALIGNMENT", function() { return ALIGNMENT; });\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "SPACING", function() { return SPACING; });\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "COLORS", function() { return COLORS; });\n/* harmony import */ var react__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! react */ "react");\n/* harmony import */ var react__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(react__WEBPACK_IMPORTED_MODULE_0__);\n/* harmony import */ var prop_types__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! prop-types */ "prop-types");\n/* harmony import */ var prop_types__WEBPACK_IMPORTED_MODULE_1___default = /*#__PURE__*/__webpack_require__.n(prop_types__WEBPACK_IMPORTED_MODULE_1__);\n/* harmony import */ var classnames__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! classnames */ "./node_modules/classnames/index.js");\n/* harmony import */ var classnames__WEBPACK_IMPORTED_MODULE_2___default = /*#__PURE__*/__webpack_require__.n(classnames__WEBPACK_IMPORTED_MODULE_2__);\n\n\n\nvar PREFIX = "vds-text";\nvar SIZES = ["default", "sm", "xs"];\nvar ALIGNMENT = ["left", "center", "right"];\nvar SPACING = ["none", "half", "1x", "2x", "3x", "4x", "6x"];\nvar COLORS = ["white", "black", "slate", "silver"];\n/** Text is used for paragraphs of body copy. */\n\nvar Text = function Text(_ref) {\n var children = _ref.children,\n align = _ref.align,\n color = _ref.color,\n full = _ref.full,\n size = _ref.size,\n spacing = _ref.spacing;\n var className = classnames__WEBPACK_IMPORTED_MODULE_2___default()(size === "default" ? PREFIX : PREFIX + "--" + size, align !== "left" && "vds-text-align--" + align, color !== "black" && "vds-color--" + color, spacing !== "md" && "vds-spacing--stack-" + spacing, full && PREFIX + "--full");\n return react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("p", {\n className: className\n }, children);\n};\n\nText.propTypes = {\n /** Text content */\n children: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.node.isRequired,\n\n /** Text alignment */\n align: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.oneOf(ALIGNMENT),\n\n /** Color of text */\n color: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.oneOf(COLORS),\n\n /** Override for text to span a fuller width */\n full: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.bool,\n\n /** Use default for large areas of copy designed for prolonged reading */\n size: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.oneOf(SIZES),\n\n /** Amount of `margin-bottom` applied */\n spacing: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.oneOf(SPACING)\n};\nText.defaultProps = {\n size: "default",\n align: "left",\n color: "black",\n spacing: "3x",\n full: false\n};\n/* harmony default export */ __webpack_exports__["default"] = (Text);\n\n//# sourceURL=webpack://veritas/./packages/veritas-components/src/components/Text/Text.jsx?')},"./packages/veritas-components/src/components/TextArea/TextArea.jsx": /*!**************************************************************************!*\ !*** ./packages/veritas-components/src/components/TextArea/TextArea.jsx ***! \**************************************************************************/ /*! exports provided: default */function packagesVeritasComponentsSrcComponentsTextAreaTextAreaJsx(module,__webpack_exports__,__webpack_require__){eval('__webpack_require__.r(__webpack_exports__);\n/* harmony import */ var react__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! react */ "react");\n/* harmony import */ var react__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(react__WEBPACK_IMPORTED_MODULE_0__);\n/* harmony import */ var prop_types__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! prop-types */ "prop-types");\n/* harmony import */ var prop_types__WEBPACK_IMPORTED_MODULE_1___default = /*#__PURE__*/__webpack_require__.n(prop_types__WEBPACK_IMPORTED_MODULE_1__);\n/* harmony import */ var classnames__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! classnames */ "./node_modules/classnames/index.js");\n/* harmony import */ var classnames__WEBPACK_IMPORTED_MODULE_2___default = /*#__PURE__*/__webpack_require__.n(classnames__WEBPACK_IMPORTED_MODULE_2__);\n\n\n\nvar PREFIX = "vds-text-area";\n/** TextArea is a control that accepts large amounts of multi-line text. */\n\nvar TextArea = function TextArea(_ref) {\n var id = _ref.id,\n label = _ref.label,\n defaultValue = _ref.defaultValue,\n disabled = _ref.disabled,\n hiddenLabel = _ref.hiddenLabel,\n name = _ref.name,\n onBlur = _ref.onBlur,\n onChange = _ref.onChange,\n onFocus = _ref.onFocus,\n placeholder = _ref.placeholder,\n readOnly = _ref.readOnly,\n required = _ref.required,\n rows = _ref.rows,\n testID = _ref.testID,\n validation = _ref.validation,\n value = _ref.value;\n var className = classnames__WEBPACK_IMPORTED_MODULE_2___default()(PREFIX, validation && PREFIX + "--" + validation.props.variant);\n var labelClassName = classnames__WEBPACK_IMPORTED_MODULE_2___default()(PREFIX + "__label", hiddenLabel && "vds-visually-hidden");\n return react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("div", {\n className: className\n }, react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("label", {\n className: labelClassName,\n htmlFor: id\n }, label, !required && react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("span", {\n className: PREFIX + "__optional"\n }, "(Optional)")), react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("textarea", {\n className: PREFIX + "__input",\n id: id,\n "aria-invalid": validation && validation.props.variant === "error",\n defaultValue: defaultValue,\n disabled: disabled,\n name: name,\n onBlur: onBlur,\n onChange: onChange,\n onFocus: onFocus,\n placeholder: placeholder,\n readOnly: readOnly,\n required: required,\n rows: rows,\n "data-testid": testID,\n value: value\n }), validation);\n};\n\nTextArea.propTypes = {\n /** Unique ID to associate the label with the TextArea */\n id: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.string.isRequired,\n\n /** Text label associated with the TextArea (required for a11y) */\n label: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.string.isRequired,\n\n /** Initial TextArea value (for uncontrolled components) */\n defaultValue: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.string,\n\n /** Indicates the TextArea is not available for interaction */\n disabled: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.bool,\n\n /** Hide label visually */\n hiddenLabel: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.bool,\n\n /** The name of the TextArea, submitted with the form data */\n name: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.string,\n\n /** Callback when TextArea loses focus */\n onBlur: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.func,\n\n /** Callback when TextArea value changes */\n onChange: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.func,\n\n /** Callback when TextArea receives focus */\n onFocus: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.func,\n\n /** A hint to the user of what can be entered in the control */\n placeholder: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.string,\n\n /** Indicates that a user cannot modify the value of the TextArea */\n readOnly: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.bool,\n\n /** Indicates that a user must fill in a value before submitting */\n required: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.bool,\n\n /** The number of visible text lines in the TextArea */\n rows: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.number,\n\n /** A unique value for `data-testid` to serve as a hook for automated tests */\n testID: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.string,\n\n /** The [FormValidation component](#!/FormValidation) */\n validation: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.node,\n\n /** Controlled TextArea value (for controlled components). Requires `onChange` handler */\n value: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.string\n};\nTextArea.defaultProps = {\n defaultValue: undefined,\n disabled: false,\n hiddenLabel: false,\n name: null,\n onBlur: null,\n onChange: null,\n onFocus: null,\n placeholder: null,\n readOnly: false,\n required: false,\n rows: 4,\n testID: null,\n validation: null,\n value: undefined\n};\n/* harmony default export */ __webpack_exports__["default"] = (TextArea);\n\n//# sourceURL=webpack://veritas/./packages/veritas-components/src/components/TextArea/TextArea.jsx?')},"./packages/veritas-components/src/components/TextInput/TextInput.jsx": /*!****************************************************************************!*\ !*** ./packages/veritas-components/src/components/TextInput/TextInput.jsx ***! \****************************************************************************/ /*! exports provided: TYPES, default */function packagesVeritasComponentsSrcComponentsTextInputTextInputJsx(module,__webpack_exports__,__webpack_require__){eval('__webpack_require__.r(__webpack_exports__);\n/* harmony export (binding) */ __webpack_require__.d(__webpack_exports__, "TYPES", function() { return TYPES; });\n/* harmony import */ var react__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! react */ "react");\n/* harmony import */ var react__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(react__WEBPACK_IMPORTED_MODULE_0__);\n/* harmony import */ var prop_types__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! prop-types */ "prop-types");\n/* harmony import */ var prop_types__WEBPACK_IMPORTED_MODULE_1___default = /*#__PURE__*/__webpack_require__.n(prop_types__WEBPACK_IMPORTED_MODULE_1__);\n/* harmony import */ var classnames__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! classnames */ "./node_modules/classnames/index.js");\n/* harmony import */ var classnames__WEBPACK_IMPORTED_MODULE_2___default = /*#__PURE__*/__webpack_require__.n(classnames__WEBPACK_IMPORTED_MODULE_2__);\n\n\n\nvar PREFIX = "vds-text-input";\nvar TYPES = ["date", "datetime-local", "email", "month", "number", "password", "tel", "text", "time", "url", "week"];\n/** TextInput is a control for entering text. */\n\nvar TextInput = function TextInput(_ref) {\n var id = _ref.id,\n label = _ref.label,\n defaultValue = _ref.defaultValue,\n disabled = _ref.disabled,\n hiddenLabel = _ref.hiddenLabel,\n name = _ref.name,\n onBlur = _ref.onBlur,\n onChange = _ref.onChange,\n onFocus = _ref.onFocus,\n pattern = _ref.pattern,\n placeholder = _ref.placeholder,\n readOnly = _ref.readOnly,\n required = _ref.required,\n testID = _ref.testID,\n type = _ref.type,\n validation = _ref.validation,\n value = _ref.value;\n var className = classnames__WEBPACK_IMPORTED_MODULE_2___default()(PREFIX, validation && PREFIX + "--" + validation.props.variant);\n var labelClassName = classnames__WEBPACK_IMPORTED_MODULE_2___default()(PREFIX + "__label", hiddenLabel && "vds-visually-hidden");\n return react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("div", {\n className: className\n }, react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("label", {\n className: labelClassName,\n htmlFor: id\n }, label, !required && react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("span", {\n className: PREFIX + "__optional"\n }, "(Optional)")), react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("input", {\n className: PREFIX + "__input",\n id: id,\n "aria-invalid": validation && validation.props.variant === "error",\n defaultValue: defaultValue,\n disabled: disabled,\n name: name,\n onBlur: onBlur,\n onChange: onChange,\n onFocus: onFocus,\n pattern: pattern,\n placeholder: placeholder,\n readOnly: readOnly,\n required: required,\n "data-testid": testID,\n type: type,\n value: value\n }), validation);\n};\n\nTextInput.propTypes = {\n /** Unique ID to associate the label with the TextInput */\n id: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.string.isRequired,\n\n /** Text label associated with the TextInput (required for a11y) */\n label: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.string.isRequired,\n\n /** Initial input value (for uncontrolled components) */\n defaultValue: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.string,\n\n /** Indicates the TextInput is not available for interaction */\n disabled: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.bool,\n\n /** Hide label visually */\n hiddenLabel: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.bool,\n\n /** The name of the TextInput, submitted with the form data */\n name: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.string,\n\n /** Callback when TextInput loses focus */\n onBlur: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.func,\n\n /** Callback when TextInput value changes */\n onChange: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.func,\n\n /** Callback when TextInput receives focus */\n onFocus: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.func,\n\n /** Regular expression that the TextInput\'s value is checked against. Use [html5pattern](http://html5pattern.com/) to create a RegEx */\n pattern: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.string,\n\n /** A hint to the user of what can be entered in the control */\n placeholder: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.string,\n\n /** Indicates that a user cannot modify the value of the TextInput */\n readOnly: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.bool,\n\n /** Indicates that a user must fill in a value before submitting */\n required: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.bool,\n\n /** A unique value for `data-testid` to serve as a hook for automated tests */\n testID: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.string,\n\n /** The type of input control to render. Not all types are supported equally cross-browser */\n type: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.oneOf(TYPES),\n\n /** The [FormValidation component](#!/FormValidation) */\n validation: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.node,\n\n /** Controlled TextInput value (for controlled components). Requires `onChange` handler */\n value: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.string\n};\nTextInput.defaultProps = {\n defaultValue: undefined,\n disabled: false,\n hiddenLabel: false,\n name: null,\n onBlur: null,\n onChange: null,\n onFocus: null,\n pattern: null,\n placeholder: null,\n readOnly: false,\n required: false,\n testID: null,\n type: "text",\n validation: null,\n value: undefined\n};\n/* harmony default export */ __webpack_exports__["default"] = (TextInput);\n\n//# sourceURL=webpack://veritas/./packages/veritas-components/src/components/TextInput/TextInput.jsx?')},"./packages/veritas-components/src/components/VisuallyHidden/VisuallyHidden.jsx": /*!**************************************************************************************!*\ !*** ./packages/veritas-components/src/components/VisuallyHidden/VisuallyHidden.jsx ***! \**************************************************************************************/ /*! exports provided: default */function packagesVeritasComponentsSrcComponentsVisuallyHiddenVisuallyHiddenJsx(module,__webpack_exports__,__webpack_require__){eval('__webpack_require__.r(__webpack_exports__);\n/* harmony import */ var react__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! react */ "react");\n/* harmony import */ var react__WEBPACK_IMPORTED_MODULE_0___default = /*#__PURE__*/__webpack_require__.n(react__WEBPACK_IMPORTED_MODULE_0__);\n/* harmony import */ var prop_types__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! prop-types */ "prop-types");\n/* harmony import */ var prop_types__WEBPACK_IMPORTED_MODULE_1___default = /*#__PURE__*/__webpack_require__.n(prop_types__WEBPACK_IMPORTED_MODULE_1__);\n\n\n/** VisuallyHidden hides elements on the interface but keeps them visible to screen readers. */\n\nvar VisuallyHidden = function VisuallyHidden(_ref) {\n var children = _ref.children;\n return react__WEBPACK_IMPORTED_MODULE_0___default.a.createElement("span", {\n className: "vds-visually-hidden"\n }, children);\n};\n\nVisuallyHidden.propTypes = {\n /** Content to be hidden visually */\n children: prop_types__WEBPACK_IMPORTED_MODULE_1___default.a.node.isRequired\n};\n/* harmony default export */ __webpack_exports__["default"] = (VisuallyHidden);\n\n//# sourceURL=webpack://veritas/./packages/veritas-components/src/components/VisuallyHidden/VisuallyHidden.jsx?')},"./packages/veritas-components/src/components/index.js": /*!*************************************************************!*\ !*** ./packages/veritas-components/src/components/index.js ***! \*************************************************************/ /*! exports provided: Button, Checkbox, CheckboxGroup, Code, CodeBlock, Flex, FormFieldset, FormValidation, Heading, Icon, Link, Loading, Modal, Quote, Radio, RadioGroup, Select, Space, Switch, Text, TextArea, TextInput, VisuallyHidden */function packagesVeritasComponentsSrcComponentsIndexJs(module,__webpack_exports__,__webpack_require__){eval('__webpack_require__.r(__webpack_exports__);\n/* harmony import */ var _Button_Button__WEBPACK_IMPORTED_MODULE_0__ = __webpack_require__(/*! ./Button/Button */ "./packages/veritas-components/src/components/Button/Button.jsx");\n/* harmony reexport (safe) */ __webpack_require__.d(__webpack_exports__, "Button", function() { return _Button_Button__WEBPACK_IMPORTED_MODULE_0__["default"]; });\n\n/* harmony import */ var _Checkbox_Checkbox__WEBPACK_IMPORTED_MODULE_1__ = __webpack_require__(/*! ./Checkbox/Checkbox */ "./packages/veritas-components/src/components/Checkbox/Checkbox.jsx");\n/* harmony reexport (safe) */ __webpack_require__.d(__webpack_exports__, "Checkbox", function() { return _Checkbox_Checkbox__WEBPACK_IMPORTED_MODULE_1__["default"]; });\n\n/* harmony import */ var _CheckboxGroup_CheckboxGroup__WEBPACK_IMPORTED_MODULE_2__ = __webpack_require__(/*! ./CheckboxGroup/CheckboxGroup */ "./packages/veritas-components/src/components/CheckboxGroup/CheckboxGroup.jsx");\n/* harmony reexport (safe) */ __webpack_require__.d(__webpack_exports__, "CheckboxGroup", function() { return _CheckboxGroup_CheckboxGroup__WEBPACK_IMPORTED_MODULE_2__["default"]; });\n\n/* harmony import */ var _Code_Code__WEBPACK_IMPORTED_MODULE_3__ = __webpack_require__(/*! ./Code/Code */ "./packages/veritas-components/src/components/Code/Code.jsx");\n/* harmony reexport (safe) */ __webpack_require__.d(__webpack_exports__, "Code", function() { return _Code_Code__WEBPACK_IMPORTED_MODULE_3__["default"]; });\n\n/* harmony import */ var _CodeBlock_CodeBlock__WEBPACK_IMPORTED_MODULE_4__ = __webpack_require__(/*! ./CodeBlock/CodeBlock */ "./packages/veritas-components/src/components/CodeBlock/CodeBlock.jsx");\n/* harmony reexport (safe) */ __webpack_require__.d(__webpack_exports__, "CodeBlock", function() { return _CodeBlock_CodeBlock__WEBPACK_IMPORTED_MODULE_4__["default"]; });\n\n/* harmony import */ var _Flex_Flex__WEBPACK_IMPORTED_MODULE_5__ = __webpack_require__(/*! ./Flex/Flex */ "./packages/veritas-components/src/components/Flex/Flex.jsx");\n/* harmony reexport (safe) */ __webpack_require__.d(__webpack_exports__, "Flex", function() { return _Flex_Flex__WEBPACK_IMPORTED_MODULE_5__["default"]; });\n\n/* harmony import */ var _FormFieldset_FormFieldset__WEBPACK_IMPORTED_MODULE_6__ = __webpack_require__(/*! ./FormFieldset/FormFieldset */ "./packages/veritas-components/src/components/FormFieldset/FormFieldset.jsx");\n/* harmony reexport (safe) */ __webpack_require__.d(__webpack_exports__, "FormFieldset", function() { return _FormFieldset_FormFieldset__WEBPACK_IMPORTED_MODULE_6__["default"]; });\n\n/* harmony import */ var _FormValidation_FormValidation__WEBPACK_IMPORTED_MODULE_7__ = __webpack_require__(/*! ./FormValidation/FormValidation */ "./packages/veritas-components/src/components/FormValidation/FormValidation.jsx");\n/* harmony reexport (safe) */ __webpack_require__.d(__webpack_exports__, "FormValidation", function() { return _FormValidation_FormValidation__WEBPACK_IMPORTED_MODULE_7__["default"]; });\n\n/* harmony import */ var _Heading_Heading__WEBPACK_IMPORTED_MODULE_8__ = __webpack_require__(/*! ./Heading/Heading */ "./packages/veritas-components/src/components/Heading/Heading.jsx");\n/* harmony reexport (safe) */ __webpack_require__.d(__webpack_exports__, "Heading", function() { return _Heading_Heading__WEBPACK_IMPORTED_MODULE_8__["default"]; });\n\n/* harmony import */ var _Icon_Icon__WEBPACK_IMPORTED_MODULE_9__ = __webpack_require__(/*! ./Icon/Icon */ "./packages/veritas-components/src/components/Icon/Icon.jsx");\n/* harmony reexport (safe) */ __webpack_require__.d(__webpack_exports__, "Icon", function() { return _Icon_Icon__WEBPACK_IMPORTED_MODULE_9__["default"]; });\n\n/* harmony import */ var _Link_Link__WEBPACK_IMPORTED_MODULE_10__ = __webpack_require__(/*! ./Link/Link */ "./packages/veritas-components/src/components/Link/Link.jsx");\n/* harmony reexport (safe) */ __webpack_require__.d(__webpack_exports__, "Link", function() { return _Link_Link__WEBPACK_IMPORTED_MODULE_10__["default"]; });\n\n/* harmony import */ var _Loading_Loading__WEBPACK_IMPORTED_MODULE_11__ = __webpack_require__(/*! ./Loading/Loading */ "./packages/veritas-components/src/components/Loading/Loading.jsx");\n/* harmony reexport (safe) */ __webpack_require__.d(__webpack_exports__, "Loading", function() { return _Loading_Loading__WEBPACK_IMPORTED_MODULE_11__["default"]; });\n\n/* harmony import */ var _Modal_Modal__WEBPACK_IMPORTED_MODULE_12__ = __webpack_require__(/*! ./Modal/Modal */ "./packages/veritas-components/src/components/Modal/Modal.jsx");\n/* harmony reexport (safe) */ __webpack_require__.d(__webpack_exports__, "Modal", function() { return _Modal_Modal__WEBPACK_IMPORTED_MODULE_12__["default"]; });\n\n/* harmony import */ var _Quote_Quote__WEBPACK_IMPORTED_MODULE_13__ = __webpack_require__(/*! ./Quote/Quote */ "./packages/veritas-components/src/components/Quote/Quote.jsx");\n/* harmony reexport (safe) */ __webpack_require__.d(__webpack_exports__, "Quote", function() { return _Quote_Quote__WEBPACK_IMPORTED_MODULE_13__["default"]; });\n\n/* harmony import */ var _Radio_Radio__WEBPACK_IMPORTED_MODULE_14__ = __webpack_require__(/*! ./Radio/Radio */ "./packages/veritas-components/src/components/Radio/Radio.jsx");\n/* harmony reexport (safe) */ __webpack_require__.d(__webpack_exports__, "Radio", function() { return _Radio_Radio__WEBPACK_IMPORTED_MODULE_14__["default"]; });\n\n/* harmony import */ var _RadioGroup_RadioGroup__WEBPACK_IMPORTED_MODULE_15__ = __webpack_require__(/*! ./RadioGroup/RadioGroup */ "./packages/veritas-components/src/components/RadioGroup/RadioGroup.jsx");\n/* harmony reexport (safe) */ __webpack_require__.d(__webpack_exports__, "RadioGroup", function() { return _RadioGroup_RadioGroup__WEBPACK_IMPORTED_MODULE_15__["default"]; });\n\n/* harmony import */ var _Select_Select__WEBPACK_IMPORTED_MODULE_16__ = __webpack_require__(/*! ./Select/Select */ "./packages/veritas-components/src/components/Select/Select.jsx");\n/* harmony reexport (safe) */ __webpack_require__.d(__webpack_exports__, "Select", function() { return _Select_Select__WEBPACK_IMPORTED_MODULE_16__["default"]; });\n\n/* harmony import */ var _Space_Space__WEBPACK_IMPORTED_MODULE_17__ = __webpack_require__(/*! ./Space/Space */ "./packages/veritas-components/src/components/Space/Space.jsx");\n/* harmony reexport (safe) */ __webpack_require__.d(__webpack_exports__, "Space", function() { return _Space_Space__WEBPACK_IMPORTED_MODULE_17__["default"]; });\n\n/* harmony import */ var _Switch_Switch__WEBPACK_IMPORTED_MODULE_18__ = __webpack_require__(/*! ./Switch/Switch */ "./packages/veritas-components/src/components/Switch/Switch.jsx");\n/* harmony reexport (safe) */ __webpack_require__.d(__webpack_exports__, "Switch", function() { return _Switch_Switch__WEBPACK_IMPORTED_MODULE_18__["default"]; });\n\n/* harmony import */ var _Text_Text__WEBPACK_IMPORTED_MODULE_19__ = __webpack_require__(/*! ./Text/Text */ "./packages/veritas-components/src/components/Text/Text.jsx");\n/* harmony reexport (safe) */ __webpack_require__.d(__webpack_exports__, "Text", function() { return _Text_Text__WEBPACK_IMPORTED_MODULE_19__["default"]; });\n\n/* harmony import */ var _TextArea_TextArea__WEBPACK_IMPORTED_MODULE_20__ = __webpack_require__(/*! ./TextArea/TextArea */ "./packages/veritas-components/src/components/TextArea/TextArea.jsx");\n/* harmony reexport (safe) */ __webpack_require__.d(__webpack_exports__, "TextArea", function() { return _TextArea_TextArea__WEBPACK_IMPORTED_MODULE_20__["default"]; });\n\n/* harmony import */ var _TextInput_TextInput__WEBPACK_IMPORTED_MODULE_21__ = __webpack_require__(/*! ./TextInput/TextInput */ "./packages/veritas-components/src/components/TextInput/TextInput.jsx");\n/* harmony reexport (safe) */ __webpack_require__.d(__webpack_exports__, "TextInput", function() { return _TextInput_TextInput__WEBPACK_IMPORTED_MODULE_21__["default"]; });\n\n/* harmony import */ var _VisuallyHidden_VisuallyHidden__WEBPACK_IMPORTED_MODULE_22__ = __webpack_require__(/*! ./VisuallyHidden/VisuallyHidden */ "./packages/veritas-components/src/components/VisuallyHidden/VisuallyHidden.jsx");\n/* harmony reexport (safe) */ __webpack_require__.d(__webpack_exports__, "VisuallyHidden", function() { return _VisuallyHidden_VisuallyHidden__WEBPACK_IMPORTED_MODULE_22__["default"]; });\n\n/*\n * This is a manifest file which will be transpiled into the final bundle,\n * which will include all of the components listed below.\n */\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n//# sourceURL=webpack://veritas/./packages/veritas-components/src/components/index.js?')},"prop-types": /*!*****************************!*\ !*** external "prop-types" ***! \*****************************/ /*! no static exports found */function propTypes(module,exports){eval("module.exports = __WEBPACK_EXTERNAL_MODULE_prop_types__;\n\n//# sourceURL=webpack://veritas/external_%22prop-types%22?")},react: /*!************************!*\ !*** external "react" ***! \************************/ /*! no static exports found */function react(module,exports){eval("module.exports = __WEBPACK_EXTERNAL_MODULE_react__;\n\n//# sourceURL=webpack://veritas/external_%22react%22?")},"react-dom": /*!****************************!*\ !*** external "react-dom" ***! \****************************/ /*! no static exports found */function reactDom(module,exports){eval("module.exports = __WEBPACK_EXTERNAL_MODULE_react_dom__;\n\n//# sourceURL=webpack://veritas/external_%22react-dom%22?")}})},"object"===_typeof(exports)&&"object"===_typeof(module)?module.exports=factory(__webpack_require__(0),__webpack_require__(1),__webpack_require__(16)):(__WEBPACK_AMD_DEFINE_ARRAY__=[__webpack_require__(0),__webpack_require__(1),__webpack_require__(16)],void 0===(__WEBPACK_AMD_DEFINE_RESULT__="function"==typeof(__WEBPACK_AMD_DEFINE_FACTORY__=factory)?__WEBPACK_AMD_DEFINE_FACTORY__.apply(exports,__WEBPACK_AMD_DEFINE_ARRAY__):__WEBPACK_AMD_DEFINE_FACTORY__)||(module.exports=__WEBPACK_AMD_DEFINE_RESULT__))}).call(this,__webpack_require__(54)(module))},1749:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.default={PASSED:"passed",FAILED:"failed",GRADED:"graded"}},1760:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r,o=n(123),i=(r=o)&&r.__esModule?r:{default:r};function a(e,t,n){(0,i.default)("#main_modal .modal-body").empty(),t&&t.after("#modals-root");var r=(0,i.default)("#main_modal");r.modal({keyboard:!0,backdrop:!n||"static"}),(0,i.default)("#main_modal .modal-body").append(e),r.modal("show")}var s=[];t.default={confirm_modal:function(e,t,n,r){r||(r=(0,i.default)(this)),e||(e=(0,i.default)("body")),(0,i.default)(e).after((0,i.default)("#modals-root"));var o=(0,i.default)("#confirm_modal");o.modal({backdrop:"static",keyboard:!1}),(0,i.default)(".modal-body p",o).text(t),(0,i.default)("#confirm_modal #confirm_no").unbind("click"),(0,i.default)("#confirm_modal #confirm_no").click(function(){i.default.proxy(n,r)(!1)}),(0,i.default)("#confirm_modal #confirm_yes").unbind("click"),(0,i.default)("#confirm_modal #confirm_yes").click(function(){i.default.proxy(n,r)(!0)}),(0,i.default)("#confirm_modal #confirm_yes").focus(),o.modal("show")},show_loading_modal:function(e,t){return e&&e.is(":visible")||(e=(0,i.default)("body")),t||(t=function(e){var t="0123456789ABCDEFGHIJKLMNOPQRSTUVWXTZabcdefghiklmnopqrstuvwxyz";e=e||32;for(var n="",r=0;r<e;r++){var o=Math.floor(Math.random()*t.length);n+=t.substring(o,o+1)}return n}(32)),(0,i.default)("#loading_modal").clone(!0).attr("id","loading_modal_"+t).addClass("loading_modal").appendTo(e),t},hide_loading_modal:function(e){e="loading_modal_"+e,(0,i.default)("#"+e).remove()},hide_main_modal:function(){(0,i.default)("#main_modal").modal("hide"),(0,i.default)("body").removeClass("modal-open"),(0,i.default)(".modal-backdrop").remove()},trigger_files_modal:function(e,t,n,r,o){e||(e=(0,i.default)("body")),(0,i.default)(e).after((0,i.default)("#modals-root"));var a=(0,i.default)("#files_modal");a.modal(),(0,i.default)("#files_modal_submit").val(t.action),r.crumbs=n,r.cd_callback(n),void 0!==t.input_default&&(0,i.default)("#files_modal_input").val(t.input_default),t.focus_name_input&&(0,i.default)("#files_modal_input").focus(),(0,i.default)("#files_modal_form").unbind("submit"),(0,i.default)("#files_modal_form").submit(function(e){e.preventDefault();var t=(0,i.default)("#files_modal_input").val();return(0,i.default)("#files_modal").modal("hide"),o(r.crumbs,t),!1}),a.modal("show")},show_error:function(e){var t="Error:\n\n"+e+"\n";e.stack&&(t+=JSON.stringify(e.stack)),a(function(e){var t=(0,i.default)('<div id="text_shown" style="width:auto;"></div>');return t.text(e),t}(t)),s.push("client error: "+JSON.stringify(e))},show_main_modal:a,bootstrapModals:function(){if(0===(0,i.default)("#modals-root").length){var e=document.createElement("div");e.id="modals-root",e.className="student-workspace scoped-bootstrap theme_light",e.innerHTML='\n <div id="files_modal" tabindex="-1" role="dialog" class="modal">\n <div class="modal-dialog">\n <button type="button" class="close modal-close" data-dismiss="modal" aria-hidden="true">×</button>\n <div class="modal-content">\n <div class="modal-body">\n <form id="files_modal_form" class="form-inline">\n <div id="files_modal_display" class="form-group">\n <div class="navbar">\n <div class="modal--back-arrow"></div>\n <ul id="modal_crumbs" class="breadcrumbs"></ul>\n </div>\n <div id="react-modal-container" class="files-modal-table-container"></div>\n </div>\n <div id="files_modal_name_select">\n <div class="files-modal--input">\n <input id="files_modal_input" type="text" name="input" placeholder="Name" class="form-control field"/>\n </div>\n <div class="files-modal--submit">\n <input id="files_modal_submit" type="submit"\n value="Open or Create" class="btn btn-primary"/>\n </div>\n </div>\n </form>\n </div>\n </div>\n </div>\n </div>\n <div id="confirm_modal" tabindex="-1" role="dialog" class="modal">\n <div class="modal-dialog">\n <div class="modal-content">\n <div class="modal-body">\n <center>\n <p></p>\n <button id="confirm_no" data-dismiss="modal" class="btn btn-default">Cancel</button>\n <button id="confirm_yes" data-dismiss="modal" class="btn btn-primary">Confirm</button>\n </center>\n </div>\n </div>\n </div>\n </div>\n <div id="main_modal" tabindex="-1" role="dialog" class="modal">\n <div class="modal-dialog">\n <div class="modal-content">\n <div class="modal-body"></div>\n </div>\n </div>\n </div>\n <div id="react-modal"></div>\n ',document.body.appendChild(e),(0,i.default)("#files_modal").on("shown",function(){(0,i.default)("#files_modal_input").focus()}),(0,i.default)("#confirm_modal").on("shown",function(){(0,i.default)("#confirm_no").focus()})}}}},1761:function(e,t,n){!function(e){"use strict";var t={autoSelfClosers:{area:!0,base:!0,br:!0,col:!0,command:!0,embed:!0,frame:!0,hr:!0,img:!0,input:!0,keygen:!0,link:!0,meta:!0,param:!0,source:!0,track:!0,wbr:!0,menuitem:!0},implicitlyClosed:{dd:!0,li:!0,optgroup:!0,option:!0,p:!0,rp:!0,rt:!0,tbody:!0,td:!0,tfoot:!0,th:!0,tr:!0},contextGrabbers:{dd:{dd:!0,dt:!0},dt:{dd:!0,dt:!0},li:{li:!0},option:{option:!0,optgroup:!0},optgroup:{optgroup:!0},p:{address:!0,article:!0,aside:!0,blockquote:!0,dir:!0,div:!0,dl:!0,fieldset:!0,footer:!0,form:!0,h1:!0,h2:!0,h3:!0,h4:!0,h5:!0,h6:!0,header:!0,hgroup:!0,hr:!0,menu:!0,nav:!0,ol:!0,p:!0,pre:!0,section:!0,table:!0,ul:!0},rp:{rp:!0,rt:!0},rt:{rp:!0,rt:!0},tbody:{tbody:!0,tfoot:!0},td:{td:!0,th:!0},tfoot:{tbody:!0},th:{td:!0,th:!0},thead:{tbody:!0,tfoot:!0},tr:{tr:!0}},doNotIndent:{pre:!0},allowUnquoted:!0,allowMissing:!0,caseFold:!0},n={autoSelfClosers:{},implicitlyClosed:{},contextGrabbers:{},doNotIndent:{},allowUnquoted:!1,allowMissing:!1,allowMissingTagName:!1,caseFold:!1};e.defineMode("xml",function(r,o){var i,a,s=r.indentUnit,l={},c=o.htmlMode?t:n;for(var u in c)l[u]=c[u];for(var u in o)l[u]=o[u];function p(e,t){function n(n){return t.tokenize=n,n(e,t)}var r=e.next();return"<"==r?e.eat("!")?e.eat("[")?e.match("CDATA[")?n(f("atom","]]>")):null:e.match("--")?n(f("comment","--\x3e")):e.match("DOCTYPE",!0,!0)?(e.eatWhile(/[\w\._\-]/),n(function e(t){return function(n,r){for(var o;null!=(o=n.next());){if("<"==o)return r.tokenize=e(t+1),r.tokenize(n,r);if(">"==o){if(1==t){r.tokenize=p;break}return r.tokenize=e(t-1),r.tokenize(n,r)}}return"meta"}}(1))):null:e.eat("?")?(e.eatWhile(/[\w\._\-]/),t.tokenize=f("meta","?>"),"meta"):(i=e.eat("/")?"closeTag":"openTag",t.tokenize=d,"tag bracket"):"&"==r?(e.eat("#")?e.eat("x")?e.eatWhile(/[a-fA-F\d]/)&&e.eat(";"):e.eatWhile(/[\d]/)&&e.eat(";"):e.eatWhile(/[\w\.\-:]/)&&e.eat(";"))?"atom":"error":(e.eatWhile(/[^&<]/),null)}function d(e,t){var n,r,o=e.next();if(">"==o||"/"==o&&e.eat(">"))return t.tokenize=p,i=">"==o?"endTag":"selfcloseTag","tag bracket";if("="==o)return i="equals",null;if("<"==o){t.tokenize=p,t.state=g,t.tagName=t.tagStart=null;var a=t.tokenize(e,t);return a?a+" tag error":"tag error"}return/[\'\"]/.test(o)?(t.tokenize=(n=o,(r=function(e,t){for(;!e.eol();)if(e.next()==n){t.tokenize=d;break}return"string"}).isInAttribute=!0,r),t.stringStartCol=e.column(),t.tokenize(e,t)):(e.match(/^[^\s\u00a0=<>\"\']*[^\s\u00a0=<>\"\'\/]/),"word")}function f(e,t){return function(n,r){for(;!n.eol();){if(n.match(t)){r.tokenize=p;break}n.next()}return e}}function h(e,t,n){this.prev=e.context,this.tagName=t,this.indent=e.indented,this.startOfLine=n,(l.doNotIndent.hasOwnProperty(t)||e.context&&e.context.noIndent)&&(this.noIndent=!0)}function m(e){e.context&&(e.context=e.context.prev)}function b(e,t){for(var n;;){if(!e.context)return;if(n=e.context.tagName,!l.contextGrabbers.hasOwnProperty(n)||!l.contextGrabbers[n].hasOwnProperty(t))return;m(e)}}function g(e,t,n){return"openTag"==e?(n.tagStart=t.column(),_):"closeTag"==e?v:g}function _(e,t,n){return"word"==e?(n.tagName=t.current(),a="tag",x):l.allowMissingTagName&&"endTag"==e?(a="tag bracket",x(e,0,n)):(a="error",_)}function v(e,t,n){if("word"==e){var r=t.current();return n.context&&n.context.tagName!=r&&l.implicitlyClosed.hasOwnProperty(n.context.tagName)&&m(n),n.context&&n.context.tagName==r||!1===l.matchClosing?(a="tag",y):(a="tag error",w)}return l.allowMissingTagName&&"endTag"==e?(a="tag bracket",y(e,0,n)):(a="error",w)}function y(e,t,n){return"endTag"!=e?(a="error",y):(m(n),g)}function w(e,t,n){return a="error",y(e,0,n)}function x(e,t,n){if("word"==e)return a="attribute",k;if("endTag"==e||"selfcloseTag"==e){var r=n.tagName,o=n.tagStart;return n.tagName=n.tagStart=null,"selfcloseTag"==e||l.autoSelfClosers.hasOwnProperty(r)?b(n,r):(b(n,r),n.context=new h(n,r,o==n.indented)),g}return a="error",x}function k(e,t,n){return"equals"==e?C:(l.allowMissing||(a="error"),x(e,0,n))}function C(e,t,n){return"string"==e?E:"word"==e&&l.allowUnquoted?(a="string",x):(a="error",x(e,0,n))}function E(e,t,n){return"string"==e?E:x(e,0,n)}return p.isInText=!0,{startState:function(e){var t={tokenize:p,state:g,indented:e||0,tagName:null,tagStart:null,context:null};return null!=e&&(t.baseIndent=e),t},token:function(e,t){if(!t.tagName&&e.sol()&&(t.indented=e.indentation()),e.eatSpace())return null;i=null;var n=t.tokenize(e,t);return(n||i)&&"comment"!=n&&(a=null,t.state=t.state(i||n,e,t),a&&(n="error"==a?n+" error":a)),n},indent:function(t,n,r){var o=t.context;if(t.tokenize.isInAttribute)return t.tagStart==t.indented?t.stringStartCol+1:t.indented+s;if(o&&o.noIndent)return e.Pass;if(t.tokenize!=d&&t.tokenize!=p)return r?r.match(/^(\s*)/)[0].length:0;if(t.tagName)return!1!==l.multilineTagIndentPastTag?t.tagStart+t.tagName.length+2:t.tagStart+s*(l.multilineTagIndentFactor||1);if(l.alignCDATA&&/<!\[CDATA\[/.test(n))return 0;var i=n&&/^<(\/)?([\w_:\.-]*)/.exec(n);if(i&&i[1])for(;o;){if(o.tagName==i[2]){o=o.prev;break}if(!l.implicitlyClosed.hasOwnProperty(o.tagName))break;o=o.prev}else if(i)for(;o;){var a=l.contextGrabbers[o.tagName];if(!a||!a.hasOwnProperty(i[2]))break;o=o.prev}for(;o&&o.prev&&!o.startOfLine;)o=o.prev;return o?o.indent+s:t.baseIndent||0},electricInput:/<\/[\s\w:]+>$/,blockCommentStart:"\x3c!--",blockCommentEnd:"--\x3e",configuration:l.htmlMode?"html":"xml",helperType:l.htmlMode?"html":"xml",skipAttribute:function(e){e.state==C&&(e.state=x)}}}),e.defineMIME("text/xml","xml"),e.defineMIME("application/xml","xml"),e.mimeModes.hasOwnProperty("text/html")||e.defineMIME("text/html",{name:"xml",htmlMode:!0})}(n(1629))},1762:function(e,t,n){var r,o,i,a,s,l;e.exports=(r=n(1628),i=(o=r).lib,a=i.Base,s=i.WordArray,(l=o.x64={}).Word=a.extend({init:function(e,t){this.high=e,this.low=t}}),l.WordArray=a.extend({init:function(e,t){e=this.words=e||[],this.sigBytes=null!=t?t:8*e.length},toX32:function(){for(var e=this.words,t=e.length,n=[],r=0;r<t;r++){var o=e[r];n.push(o.high),n.push(o.low)}return s.create(n,this.sigBytes)},clone:function(){for(var e=a.clone.call(this),t=e.words=this.words.slice(0),n=t.length,r=0;r<n;r++)t[r]=t[r].clone();return e}}),r)},1763:function(e,t,n){e.exports={"active-terminal":"style--active-terminal--TmptJ",plus:"style--plus--3gcff","tab-contents":"style--tab-contents--31b94","tab-inner":"style--tab-inner--RWmvF","terminal-panel":"style--terminal-panel--3mRAj","empty-tab":"style--empty-tab--2N2Sa",empty:"style--empty--2mPvT",icon:"style--icon--2r5VQ",message:"style--message--2r1uT",new:"style--new--3KX6E","tabs-wrapper":"style--tabs-wrapper--3Ivkf",tabs:"style--tabs--3jK2W",tab:"style--tab--3lebE",active:"style--active--NyMI-","tab-text":"style--tab-text--D7nos","tab-close":"style--tab-close--1zmWe"}},1764:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.addDisposableDomListener=function(e,t,n,r){return e.addEventListener(t,n,r),{dispose:function(){n&&(e.removeEventListener(t,n,r),e=null,n=null)}}}},1765:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0}),function(e){e.NUL="\0",e.SOH="",e.STX="",e.ETX="",e.EOT="",e.ENQ="",e.ACK="",e.BEL="",e.BS="\b",e.HT="\t",e.LF="\n",e.VT="\v",e.FF="\f",e.CR="\r",e.SO="",e.SI="",e.DLE="",e.DC1="",e.DC2="",e.DC3="",e.DC4="",e.NAK="",e.SYN="",e.ETB="",e.CAN="",e.EM="",e.SUB="",e.ESC="",e.FS="",e.GS="",e.RS="",e.US="",e.SP=" ",e.DEL=""}(t.C0||(t.C0={})),function(e){e.PAD="€",e.HOP="",e.BPH="‚",e.NBH="ƒ",e.IND="„",e.NEL="…",e.SSA="†",e.ESA="‡",e.HTS="ˆ",e.HTJ="‰",e.VTS="Š",e.PLD="‹",e.PLU="Œ",e.RI="",e.SS2="Ž",e.SS3="",e.DCS="",e.PU1="‘",e.PU2="’",e.STS="“",e.CCH="”",e.MW="•",e.SPA="–",e.EPA="—",e.SOS="˜",e.SGCI="™",e.SCI="š",e.CSI="›",e.ST="œ",e.OSC="",e.PM="ž",e.APC="Ÿ"}(t.C1||(t.C1={}))},1766:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=n(1650),o=n(2010),i=n(1644),a=n(1721),s=function(){function e(e,t,n,r,o){this._container=e,this._alpha=r,this._colors=o,this._scaledCharWidth=0,this._scaledCharHeight=0,this._scaledCellWidth=0,this._scaledCellHeight=0,this._scaledCharLeft=0,this._scaledCharTop=0,this._currentGlyphIdentifier={chars:"",code:0,bg:0,fg:0,bold:!1,dim:!1,italic:!1},this._canvas=document.createElement("canvas"),this._canvas.classList.add("xterm-"+t+"-layer"),this._canvas.style.zIndex=n.toString(),this._initCanvas(),this._container.appendChild(this._canvas)}return e.prototype.dispose=function(){this._container.removeChild(this._canvas),this._charAtlas&&this._charAtlas.dispose()},e.prototype._initCanvas=function(){this._ctx=this._canvas.getContext("2d",{alpha:this._alpha}),this._alpha||this.clearAll()},e.prototype.onOptionsChanged=function(e){},e.prototype.onBlur=function(e){},e.prototype.onFocus=function(e){},e.prototype.onCursorMove=function(e){},e.prototype.onGridChanged=function(e,t,n){},e.prototype.onSelectionChanged=function(e,t,n,r){void 0===r&&(r=!1)},e.prototype.onThemeChanged=function(e,t){this._refreshCharAtlas(e,t)},e.prototype.setTransparency=function(e,t){if(t!==this._alpha){var n=this._canvas;this._alpha=t,this._canvas=this._canvas.cloneNode(),this._initCanvas(),this._container.replaceChild(this._canvas,n),this._refreshCharAtlas(e,this._colors),this.onGridChanged(e,0,e.rows-1)}},e.prototype._refreshCharAtlas=function(e,t){this._scaledCharWidth<=0&&this._scaledCharHeight<=0||(this._charAtlas=o.acquireCharAtlas(e,t,this._scaledCharWidth,this._scaledCharHeight),this._charAtlas.warmUp())},e.prototype.resize=function(e,t){this._scaledCellWidth=t.scaledCellWidth,this._scaledCellHeight=t.scaledCellHeight,this._scaledCharWidth=t.scaledCharWidth,this._scaledCharHeight=t.scaledCharHeight,this._scaledCharLeft=t.scaledCharLeft,this._scaledCharTop=t.scaledCharTop,this._canvas.width=t.scaledCanvasWidth,this._canvas.height=t.scaledCanvasHeight,this._canvas.style.width=t.canvasWidth+"px",this._canvas.style.height=t.canvasHeight+"px",this._alpha||this.clearAll(),this._refreshCharAtlas(e,this._colors)},e.prototype.fillCells=function(e,t,n,r){this._ctx.fillRect(e*this._scaledCellWidth,t*this._scaledCellHeight,n*this._scaledCellWidth,r*this._scaledCellHeight)},e.prototype.fillBottomLineAtCells=function(e,t,n){void 0===n&&(n=1),this._ctx.fillRect(e*this._scaledCellWidth,(t+1)*this._scaledCellHeight-window.devicePixelRatio-1,n*this._scaledCellWidth,window.devicePixelRatio)},e.prototype.fillLeftLineAtCell=function(e,t){this._ctx.fillRect(e*this._scaledCellWidth,t*this._scaledCellHeight,window.devicePixelRatio,this._scaledCellHeight)},e.prototype.strokeRectAtCell=function(e,t,n,r){this._ctx.lineWidth=window.devicePixelRatio,this._ctx.strokeRect(e*this._scaledCellWidth+window.devicePixelRatio/2,t*this._scaledCellHeight+window.devicePixelRatio/2,n*this._scaledCellWidth-window.devicePixelRatio,r*this._scaledCellHeight-window.devicePixelRatio)},e.prototype.clearAll=function(){this._alpha?this._ctx.clearRect(0,0,this._canvas.width,this._canvas.height):(this._ctx.fillStyle=this._colors.background.css,this._ctx.fillRect(0,0,this._canvas.width,this._canvas.height))},e.prototype.clearCells=function(e,t,n,r){this._alpha?this._ctx.clearRect(e*this._scaledCellWidth,t*this._scaledCellHeight,n*this._scaledCellWidth,r*this._scaledCellHeight):(this._ctx.fillStyle=this._colors.background.css,this._ctx.fillRect(e*this._scaledCellWidth,t*this._scaledCellHeight,n*this._scaledCellWidth,r*this._scaledCellHeight))},e.prototype.fillCharTrueColor=function(e,t,n,r){this._ctx.font=this._getFont(e,!1,!1),this._ctx.textBaseline="middle",this._clipRow(e,r),this._ctx.fillText(t[i.CHAR_DATA_CHAR_INDEX],n*this._scaledCellWidth+this._scaledCharLeft,r*this._scaledCellHeight+this._scaledCharTop+this._scaledCharHeight/2)},e.prototype.drawChars=function(e,t,n,o,i,a,s,l,c,u,p){s+=e.options.drawBoldTextInBrightColors&&c&&s<8&&s!==r.INVERTED_DEFAULT_COLOR?8:0,this._currentGlyphIdentifier.chars=t,this._currentGlyphIdentifier.code=n,this._currentGlyphIdentifier.bg=l,this._currentGlyphIdentifier.fg=s,this._currentGlyphIdentifier.bold=c&&e.options.enableBold,this._currentGlyphIdentifier.dim=u,this._currentGlyphIdentifier.italic=p,this._charAtlas&&this._charAtlas.draw(this._ctx,this._currentGlyphIdentifier,i*this._scaledCellWidth+this._scaledCharLeft,a*this._scaledCellHeight+this._scaledCharTop)||this._drawUncachedChars(e,t,o,s,i,a,c&&e.options.enableBold,u,p)},e.prototype._drawUncachedChars=function(e,t,n,o,i,s,l,c,u){this._ctx.save(),this._ctx.font=this._getFont(e,l,u),this._ctx.textBaseline="middle",o===r.INVERTED_DEFAULT_COLOR?this._ctx.fillStyle=this._colors.background.css:a.is256Color(o)?this._ctx.fillStyle=this._colors.ansi[o].css:this._ctx.fillStyle=this._colors.foreground.css,this._clipRow(e,s),c&&(this._ctx.globalAlpha=r.DIM_OPACITY),this._ctx.fillText(t,i*this._scaledCellWidth+this._scaledCharLeft,s*this._scaledCellHeight+this._scaledCharTop+this._scaledCharHeight/2),this._ctx.restore()},e.prototype._clipRow=function(e,t){this._ctx.beginPath(),this._ctx.rect(0,t*this._scaledCellHeight,e.cols*this._scaledCellWidth,this._scaledCellHeight),this._ctx.clip()},e.prototype._getFont=function(e,t,n){return(n?"italic":"")+" "+(t?e.options.fontWeightBold:e.options.fontWeight)+" "+e.options.fontSize*window.devicePixelRatio+"px "+e.options.fontFamily},e}();t.BaseRenderLayer=s},1767:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=l("#ffffff"),o=l("#000000"),i=l("#ffffff"),a=l("#000000"),s={css:"rgba(255, 255, 255, 0.3)",rgba:4294967159};function l(e){return{css:e,rgba:parseInt(e.slice(1),16)<<8|255}}function c(e){var t=e.toString(16);return t.length<2?"0"+t:t}t.DEFAULT_ANSI_COLORS=function(){for(var e=[l("#2e3436"),l("#cc0000"),l("#4e9a06"),l("#c4a000"),l("#3465a4"),l("#75507b"),l("#06989a"),l("#d3d7cf"),l("#555753"),l("#ef2929"),l("#8ae234"),l("#fce94f"),l("#729fcf"),l("#ad7fa8"),l("#34e2e2"),l("#eeeeec")],t=[0,95,135,175,215,255],n=0;n<216;n++){var r=t[n/36%6|0],o=t[n/6%6|0],i=t[n%6];e.push({css:"#"+c(r)+c(o)+c(i),rgba:(r<<24|o<<16|i<<8|255)>>>0})}for(n=0;n<24;n++){var a=8+10*n,s=c(a);e.push({css:"#"+s+s+s,rgba:(a<<24|a<<16|a<<8|255)>>>0})}return e}();var u=function(){function e(e,n){this.allowTransparency=n;var l=e.createElement("canvas");l.width=1,l.height=1,this._ctx=l.getContext("2d"),this._ctx.globalCompositeOperation="copy",this._litmusColor=this._ctx.createLinearGradient(0,0,1,1),this.colors={foreground:r,background:o,cursor:i,cursorAccent:a,selection:s,ansi:t.DEFAULT_ANSI_COLORS.slice()}}return e.prototype.setTheme=function(e){this.colors.foreground=this._parseColor(e.foreground,r),this.colors.background=this._parseColor(e.background,o),this.colors.cursor=this._parseColor(e.cursor,i,!0),this.colors.cursorAccent=this._parseColor(e.cursorAccent,a,!0),this.colors.selection=this._parseColor(e.selection,s,!0),this.colors.ansi[0]=this._parseColor(e.black,t.DEFAULT_ANSI_COLORS[0]),this.colors.ansi[1]=this._parseColor(e.red,t.DEFAULT_ANSI_COLORS[1]),this.colors.ansi[2]=this._parseColor(e.green,t.DEFAULT_ANSI_COLORS[2]),this.colors.ansi[3]=this._parseColor(e.yellow,t.DEFAULT_ANSI_COLORS[3]),this.colors.ansi[4]=this._parseColor(e.blue,t.DEFAULT_ANSI_COLORS[4]),this.colors.ansi[5]=this._parseColor(e.magenta,t.DEFAULT_ANSI_COLORS[5]),this.colors.ansi[6]=this._parseColor(e.cyan,t.DEFAULT_ANSI_COLORS[6]),this.colors.ansi[7]=this._parseColor(e.white,t.DEFAULT_ANSI_COLORS[7]),this.colors.ansi[8]=this._parseColor(e.brightBlack,t.DEFAULT_ANSI_COLORS[8]),this.colors.ansi[9]=this._parseColor(e.brightRed,t.DEFAULT_ANSI_COLORS[9]),this.colors.ansi[10]=this._parseColor(e.brightGreen,t.DEFAULT_ANSI_COLORS[10]),this.colors.ansi[11]=this._parseColor(e.brightYellow,t.DEFAULT_ANSI_COLORS[11]),this.colors.ansi[12]=this._parseColor(e.brightBlue,t.DEFAULT_ANSI_COLORS[12]),this.colors.ansi[13]=this._parseColor(e.brightMagenta,t.DEFAULT_ANSI_COLORS[13]),this.colors.ansi[14]=this._parseColor(e.brightCyan,t.DEFAULT_ANSI_COLORS[14]),this.colors.ansi[15]=this._parseColor(e.brightWhite,t.DEFAULT_ANSI_COLORS[15])},e.prototype._parseColor=function(e,t,n){if(void 0===n&&(n=this.allowTransparency),!e)return t;if(this._ctx.fillStyle=this._litmusColor,this._ctx.fillStyle=e,"string"!=typeof this._ctx.fillStyle)return console.warn("Color: "+e+" is invalid using fallback "+t.css),t;this._ctx.fillRect(0,0,1,1);var r=this._ctx.getImageData(0,0,1,1).data;return n||255===r[3]?{css:e,rgba:(r[0]<<24|r[1]<<16|r[2]<<8|r[3])>>>0}:(console.warn("Color: "+e+" is using transparency, but allowTransparency is false. Using fallback "+t.css+"."),t)},e}();t.ColorManager=u},1768:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=n(3135);Object.defineProperty(t,"BackupsModal",{enumerable:!0,get:function(){return a(r).default}});var o=n(3144);Object.defineProperty(t,"BakupStatus",{enumerable:!0,get:function(){return a(o).default}});var i=n(1769);function a(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"downloadArchive",{enumerable:!0,get:function(){return i.downloadArchive}}),Object.defineProperty(t,"backupDetailsStart",{enumerable:!0,get:function(){return i.backupDetailsStart}}),Object.defineProperty(t,"backupsListOpen",{enumerable:!0,get:function(){return i.backupsListOpen}}),Object.defineProperty(t,"backupsModalClose",{enumerable:!0,get:function(){return i.backupsModalClose}}),Object.defineProperty(t,"backupsModalOpen",{enumerable:!0,get:function(){return i.backupsModalOpen}}),Object.defineProperty(t,"getStatusFromArchive",{enumerable:!0,get:function(){return i.getStatusFromArchive}}),Object.defineProperty(t,"initialState",{enumerable:!0,get:function(){return i.initialState}}),Object.defineProperty(t,"reducer",{enumerable:!0,get:function(){return i.reducer}}),Object.defineProperty(t,"saga",{enumerable:!0,get:function(){return i.saga}})},1769:function(e,t,n){"use strict";var r;Object.defineProperty(t,"__esModule",{value:!0}),t.reducer=t.initialState=t.JOB_STATUS=t.BACKUPS_STATUS_CLEAR=t.BACKUPS_POLLING_COMPLETE=t.BACKUPS_POLLING_UPDATE=t.BACKUPS_POLLING_START=t.BACKUPS_LIST_EMPTY=t.BACKUPS_LIST_ERROR=t.BACKUPS_LIST_RESULTS=t.BACKUPS_LIST_FETCH=t.BACKUPS_LIST_OPEN=t.BACKUPS_MODAL_CLOSE=t.BACKUPS_MODAL_OPEN=t.DOWNLOAD_ARCHIVE=t.MODAL_STATES=void 0;var o=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var n=arguments[t];for(var r in n)Object.prototype.hasOwnProperty.call(n,r)&&(e[r]=n[r])}return e};t.backupsListOpen=B,t.backupDetailsStart=function(e,t){var n=t.archive,r=t.backupId;return{type:A,scope:e,archive:n,backupId:r}},t.downloadArchive=function(e,t){return{type:g,scope:e,archive:t}},t.pollingUpdate=z,t.listComplete=K,t.listEmpty=G,t.backupsError=V,t.backupsModalClose=function(e){return{type:y,scope:e}},t.backupsModalOpen=function(e){return{type:v,scope:e}},t.saga=Y,t.getBackupIdFromArchive=ee,t.getStatusFromArchive=function(e){var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},n=ee(e);return{status:N(t[n]),backupId:n}},t.getArchiveFromBackupId=te,n(1719);var i=n(137),a=n(1718),s=n(1635),l=n(295),c=regeneratorRuntime.mark(Y),u=regeneratorRuntime.mark(J),p=regeneratorRuntime.mark(Q),d=regeneratorRuntime.mark(Z);function f(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}var h=t.MODAL_STATES={closed:"closed",fetch:"fetch",list:"list",empty:"empty",details:"details",error:"error"},m="udacity/workspace/backups",b=m+"/error",g=t.DOWNLOAD_ARCHIVE=m+"/download-archicve",_=m+"/modal",v=t.BACKUPS_MODAL_OPEN=_+"/open",y=t.BACKUPS_MODAL_CLOSE=_+"/close",w=m+"/list",x=t.BACKUPS_LIST_OPEN=w+"/open",k=t.BACKUPS_LIST_FETCH=w+"/fetching",C=t.BACKUPS_LIST_RESULTS=w+"/results",E=(t.BACKUPS_LIST_ERROR=w+"/error",t.BACKUPS_LIST_EMPTY=w+"/empty"),O=m+"/polling",T=t.BACKUPS_POLLING_START=O+"/start",S=t.BACKUPS_POLLING_UPDATE=O+"/update",P=t.BACKUPS_POLLING_COMPLETE=O+"/complete",M=t.BACKUPS_STATUS_CLEAR=O+"/clear",D=m+"/details",A=D+"/start",R=D+"/stop",L=D+"/update",I=D+"/error",F=t.JOB_STATUS={COMPLETE:"complete",ERROR:"error",WORKING:"in progress"},j=t.initialState={backupsModalState:h.closed,archives:[],downloads:{},error:null,currentStatus:"",currentDetails:null};t.reducer=(0,s.createReducer)(j,(f(r={},x,function(e){return o({},e,{backupsModalState:h.list})}),f(r,k,function(e){return o({},e,{backupsModalState:h.fetch})}),f(r,E,function(e){return o({},e,{backupsModalState:h.empty})}),f(r,C,function(e,t){var n=t.archives,r=t.downloads;return o({},e,{archives:n,downloads:r})}),f(r,b,function(e,t){var n=t.error;return o({},e,{backupsModalState:h.error,error:n})}),f(r,y,function(e){return o({},e,{backupsModalState:h.closed})}),f(r,S,function(e,t){var n=t.downloads,r=t.currentStatus;return o({},e,{downloads:n,currentStatus:r})}),f(r,P,function(e,t){var n=t.downloads,r=t.jobId,i=t.currentStatus,a=te(r,e.archives),s=n[r];return o({},e,{downloads:n,currentStatus:i,backupsModalState:h.details,currentDetails:{archive:a,download:s}})}),f(r,A,function(e){return o({},e,{backupsModalState:h.details,currentDetails:null})}),f(r,L,function(e,t){var n=t.archive,r=t.download;return o({},e,{currentDetails:{archive:n,download:r}})}),f(r,I,function(e,t){var n=t.archive,r=t.jobId,i=t.error,a=e.downloads[r];return o({},e,{backupsModalState:h.details,currentDetails:{archive:n,download:a,error:i}})}),f(r,M,function(e){return o({},e,{currentStatus:""})}),f(r,T,function(e){return o({},e,{currentStatus:F.WORKING})}),r));function N(e){if(e)return e.error?F.ERROR:e.success?F.COMPLETE:F.WORKING}function B(e){return{type:x,scope:e}}function U(e,t){var n=t.archive,r=t.jobId,o=t.error;return{type:I,scope:e,archive:n,error:o,jobId:r}}function W(e,t){var n=t.archive,r=t.download;return{type:L,scope:e,archive:n,download:r}}function H(e){return{type:R,scope:e}}function $(e,t){var n=t.jobId;return{type:T,scope:e,jobId:n}}function z(e,t){var n=t.downloads,r=t.currentStatus;return{type:S,scope:e,downloads:n,currentStatus:r}}function q(e,t){var n=t.downloads,r=t.jobId,o=t.currentStatus;return{type:P,scope:e,downloads:n,jobId:r,currentStatus:o}}function K(e,t,n){return{type:C,archives:t,downloads:n,scope:e}}function G(e){return{type:E,scope:e}}function V(e,t){return{type:b,scope:e,error:t}}function X(e){return{type:M,scope:e}}function Y(e){var t,n,r,o,s,u=e.onBackupStatus,p=e.onBackupDownload,d=e.onLoadArchives,f=e.events,h=e.scope;return regeneratorRuntime.wrap(function(e){for(;;)switch(e.prev=e.next){case 0:t=void 0,n=void 0;case 2:return e.next=5,(0,i.take)(f);case 5:if((r=e.sent).type!==v){e.next=9;break}return e.next=9,(0,i.put)(B(h));case 9:if(r.type!==x){e.next=14;break}return e.next=12,(0,i.put)(H(h));case 12:return e.next=14,(0,i.call)(J,{listArchives:d,onBackupStatus:u,scope:h});case 14:if(r.type!==y){e.next=17;break}return e.next=17,(0,i.put)(H(h));case 17:if(r.type!==g){e.next=41;break}return e.prev=18,e.next=21,(0,i.call)(p,r.archive);case 21:if(o=e.sent,s=o.jobId){e.next=25;break}throw Error('Expected server to respond with a "jobId" but none was found.');case 25:return e.next=27,(0,i.put)($(h,{jobId:s}));case 27:e.next=41;break;case 29:if(e.prev=29,e.t0=e.catch(18),!(0,a.isBackupInProgressError)(e.t0)){e.next=35;break}console.warn(e.t0),e.next=41;break;case 35:return e.next=37,(0,i.put)(V(h,e.t0));case 37:return e.next=39,(0,l.delay)(2e3);case 39:return e.next=41,(0,i.put)(X(h));case 41:if(r.type!==T){e.next=49;break}if(!n){e.next=46;break}return e.next=45,(0,i.cancel)(n);case 45:n=null;case 46:return e.next=48,(0,i.fork)(Z,{scope:h,onBackupStatus:u,jobId:r.jobId});case 48:n=e.sent;case 49:if(r.type!==A){e.next=53;break}return e.next=52,(0,i.fork)(Q,{event:r,scope:h,onBackupStatus:u});case 52:t=e.sent;case 53:if(r.type!==R){e.next=58;break}if(!t){e.next=58;break}return e.next=57,(0,i.cancel)(t);case 57:t=null;case 58:e.next=2;break;case 60:case"end":return e.stop()}},c,this,[[18,29]])}function J(e){var t,n,r=e.listArchives,o=e.onBackupStatus,s=e.scope;return regeneratorRuntime.wrap(function(e){for(;;)switch(e.prev=e.next){case 0:return e.prev=0,e.next=3,(0,i.call)(r);case 3:return t=e.sent,e.next=6,(0,i.call)(o);case 6:return n=e.sent,e.next=9,(0,i.put)(K(s,t,n));case 9:e.next=20;break;case 11:if(e.prev=11,e.t0=e.catch(0),!(0,a.isEmptyArchivesError)(e.t0)){e.next=18;break}return e.next=16,(0,i.put)(G(s));case 16:e.next=20;break;case 18:return e.next=20,(0,i.put)(V(s,e.t0));case 20:case"end":return e.stop()}},u,this,[[0,11]])}function Q(e){var t,n,r,o,a=e.scope,s=e.onBackupStatus,c=e.event;return regeneratorRuntime.wrap(function(e){for(;;)switch(e.prev=e.next){case 0:return t=c.backupId,n=c.archive,e.prev=1,e.next=4,(0,i.call)(s,t);case 4:return r=e.sent,e.next=7,(0,i.put)(W(a,{download:r,archive:n}));case 7:o=N(r);case 8:if(o!==F.WORKING){e.next=19;break}return e.next=11,(0,i.put)(W(a,{download:r,archive:n}));case 11:return e.next=13,(0,l.delay)(800);case 13:return e.next=15,(0,i.call)(s,t);case 15:r=e.sent,o=N(r),e.next=8;break;case 19:return e.next=21,(0,i.put)(W(a,{download:r,archive:n}));case 21:e.next=27;break;case 23:return e.prev=23,e.t0=e.catch(1),e.next=27,(0,i.put)(U(a,{error:e.t0,archive:n,jobId:t}));case 27:case"end":return e.stop()}},p,this,[[1,23]])}function Z(e){var t,n,r=e.scope,o=e.onBackupStatus,a=e.jobId;return regeneratorRuntime.wrap(function(e){for(;;)switch(e.prev=e.next){case 0:return e.prev=0,e.next=3,(0,i.call)(o);case 3:return t=e.sent,n=N(t[a]),e.next=7,(0,i.put)(z(r,{downloads:t,currentStatus:n}));case 7:if(n!==F.WORKING){e.next=18;break}return e.next=10,(0,i.put)(z(r,{downloads:t,currentStatus:n}));case 10:return e.next=12,(0,l.delay)(800);case 12:return e.next=14,(0,i.call)(o);case 14:t=e.sent,n=N(t[a]),e.next=7;break;case 18:return e.next=20,(0,i.put)(q(r,{jobId:a,downloads:t,currentStatus:n}));case 20:return e.next=22,(0,l.delay)(2e3);case 22:return e.next=24,(0,i.put)(X(r));case 24:e.next=34;break;case 26:return e.prev=26,e.t0=e.catch(0),e.next=30,(0,i.put)(V(r,e.t0));case 30:return e.next=32,(0,l.delay)(2e3);case 32:return e.next=34,(0,i.put)(X(r));case 34:case"end":return e.stop()}},d,this,[[0,26]])}function ee(e){return e||(e={name:""}),e.name.split(".")[0]}function te(e,t){return t.find(function(t){return ee(t)===e})}},1770:function(e,t,n){"use strict";(function(e,r){Object.defineProperty(t,"__esModule",{value:!0}),t.GradingPreview=t.default=void 0;var o,i,a,s,l,c,u,p,d,f,h,m=function(){function e(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}return function(t,n,r){return n&&e(t.prototype,n),r&&e(t,r),t}}(),b=x(n(1)),g=x(n(0)),_=n(33),v=x(n(196)),y=x(n(3171)),w=n(482);function x(e){return e&&e.__esModule?e:{default:e}}function k(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function C(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}function E(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}var O=e(y.default)((a=i=function(e){function t(){return k(this,t),C(this,(t.__proto__||Object.getPrototypeOf(t)).apply(this,arguments))}return E(t,b.default.Component),m(t,[{key:"componentDidMount",value:function(){this.props.manager.setPanel(this.node)}},{key:"render",value:function(){var e=this,t=r.get(this.props,"grading.type",""),n=r.get(this.props,"grading.code",null),o=r.get(this.props,"grading.summary",{}),i=o.total,a=void 0===i?0:i,s=o.failures,l=void 0===s?0:s,c=o.results,u=void 0===c?[]:c,p="running";return"finished"===t?p=l?"failed":"passed":"error"===t&&(p="error"),b.default.createElement("div",{ref:function(t){return e.node=t},id:this.props.id,className:"panel results "+p},b.default.createElement("div",{styleName:"drawer-toggle"},b.default.createElement("div",{"data-test":"hide-grader",styleName:"close",onClick:this.props.onToggle},b.default.createElement(v.default,{glyph:"arrow-down-sm"}),b.default.createElement("span",{styleName:"hide"},"HIDE GRADER"))),b.default.createElement(T,{type:t,total:a,code:n,results:u,status:p,lab:this.props.lab}))}}]),t}(),i.propTypes={onToggle:g.default.func.isRequired},o=a))||o;t.default=O;var T=function(e){function t(){return k(this,t),C(this,(t.__proto__||Object.getPrototypeOf(t)).apply(this,arguments))}return E(t,b.default.Component),m(t,[{key:"render",value:function(){var e=this.props,t=e.type,n=e.total,r=e.code,o=e.results,i=e.status,a=e.lab;return"error"===i?b.default.createElement(R,{error:r}):"running"===i?b.default.createElement(S,{tests:o,total:n,type:t}):"passed"===i?b.default.createElement(M,{tests:o,review:a.onGoToNext}):"failed"===i?b.default.createElement(P,{tests:o}):null}}]),t}(),S=e(y.default)(s=function(e){function t(){return k(this,t),C(this,(t.__proto__||Object.getPrototypeOf(t)).apply(this,arguments))}return E(t,b.default.Component),m(t,[{key:"render",value:function(){var e=this.props,t=e.tests,n=e.total,r=e.type,o="",i="";return"running"===r?o="Completed test "+t.length+" of "+n:(o="Checking your work for completion.",i="This may take a few minutes. Thanks for your patience!"),b.default.createElement("div",{styleName:"main"},b.default.createElement("div",{styleName:"results-container"},b.default.createElement("div",{styleName:"icon-container"},b.default.createElement("span",{styleName:"loading-icon"})),b.default.createElement("div",{styleName:"results"},b.default.createElement("div",{styleName:"results-header"},b.default.createElement("h2",{styleName:"results-title"},o)),b.default.createElement("div",{styleName:"results-details"},"running"===r?t.map(function(e,t){return b.default.createElement(D,{key:t,test:e})}):i))))}}]),t}())||s,P=e(y.default)(l=function(e){function t(){return k(this,t),C(this,(t.__proto__||Object.getPrototypeOf(t)).apply(this,arguments))}return E(t,b.default.Component),m(t,[{key:"render",value:function(){var e=this.props.tests;return b.default.createElement("div",{styleName:"main"},b.default.createElement("div",{styleName:"results-container"},b.default.createElement("div",{styleName:"icon-container"},b.default.createElement("span",{styleName:"failed-test-icon"})),b.default.createElement("div",{styleName:"results"},b.default.createElement("div",{styleName:"results-header"},b.default.createElement("h2",{"data-test":"results-title",styleName:"results-title"},"Some tests failed:")),b.default.createElement("div",{styleName:"results-details"},e.map(function(e,t){return b.default.createElement(D,{key:t,test:e})})))))}}]),t}())||l,M=e(y.default)((p=u=function(e){function t(){return k(this,t),C(this,(t.__proto__||Object.getPrototypeOf(t)).apply(this,arguments))}return E(t,b.default.Component),m(t,[{key:"render",value:function(){var e=this,t=this.props.tests,n=!!this.props.review;return b.default.createElement("div",{styleName:"grading-passed"},b.default.createElement("div",{styleName:"main"},b.default.createElement("div",{styleName:"results-container"},b.default.createElement("div",{styleName:"icon-container"},b.default.createElement("span",{styleName:"passed-test-icon"})),b.default.createElement("div",{styleName:"results"},b.default.createElement("div",{"data-test":"results-title",styleName:"results-header"},b.default.createElement("h2",{styleName:"results-title"},"Great job!")),b.default.createElement("div",{styleName:"results-details"},"You have successfully completed the Lab! Please proceed to review your work in order to mark this Lab as complete."),b.default.createElement("div",{styleName:"next-btn"},b.default.createElement(_.Button,{disabled:!n,onClick:function(){return n&&e.props.review()}},"REVIEW")),b.default.createElement("div",{styleName:"results-details"},t.map(function(e,t){return b.default.createElement(D,{key:t,test:e})}))))))}}]),t}(),u.propTypes={tests:g.default.array,review:g.default.func},c=p))||c,D=e(y.default)(d=function(e){function t(){return k(this,t),C(this,(t.__proto__||Object.getPrototypeOf(t)).apply(this,arguments))}return E(t,b.default.Component),m(t,[{key:"render",value:function(){var e=this.props.test,t=e.fullTitle,n=e.err,r=e.stack;return b.default.createElement("div",{styleName:"test-result"},n?b.default.createElement("div",{styleName:"test-result--failed"},b.default.createElement("div",{styleName:"title"},b.default.createElement(v.default,{styleName:"wrong-mark",glyph:"close-sm"}),b.default.createElement("div",{styleName:""},t)),b.default.createElement("div",{styleName:"assertion"},b.default.createElement("span",null,n),b.default.createElement("details",null,b.default.createElement("summary",{styleName:"stacktrace--summary"},"Stacktrace"),b.default.createElement("pre",{styleName:"stacktrace"},r)))):b.default.createElement("div",{styleName:"test-result--passed"},b.default.createElement("div",{styleName:"title"},b.default.createElement(v.default,{styleName:"checkmark",glyph:"checkmark-sm"}),b.default.createElement("div",{styleName:""},t))))}}]),t}())||d,A={"error-no-tests":{message:"Couldn't find any tests, make sure your test files are present; if you are a student, try refreshing your workspace."},"error-bad-cypress-json":{message:"Your cypress.json is either missing or has syntax errors; check to ensure it's valid JSON. It is located in /home/grading/cypress/cypress.json."},"error-no-connect-to-base":{message:"Could not connect to your server - if your project is using a build server, like create-react-app, make sure it's running and try again."},"lab-submission-error":{message:"There was an error reporting the successful completion of this lab. Please note a lab may only be completed in a classroom."}},R=e(y.default)(f=function(e){function t(){return k(this,t),C(this,(t.__proto__||Object.getPrototypeOf(t)).apply(this,arguments))}return E(t,b.default.Component),m(t,[{key:"render",value:function(){return b.default.createElement("div",{styleName:"main"},b.default.createElement("div",{styleName:"results-container"},b.default.createElement("div",{styleName:"icon-container"},b.default.createElement("span",{styleName:"failed-test-icon"})),b.default.createElement("div",{styleName:"results"},b.default.createElement("div",{styleName:"results-header"},b.default.createElement("h2",{"data-test":"results-title",styleName:"results-title"},"The grading service encountered an error.")),b.default.createElement("div",{styleName:"results-details"},b.default.createElement("p",{styleName:""},(e=this.props.error,(t=A[e])?t.message:"An unknown error was received: "+(void 0).props.error)),b.default.createElement("p",{styleName:""},"If the problem persists, please ",b.default.createElement("a",{href:w.SUPPORT_REQ_LINK},"contact support."))))));var e,t}}]),t}())||f;t.GradingPreview=e(y.default)(h=function(e){function t(){return k(this,t),C(this,(t.__proto__||Object.getPrototypeOf(t)).apply(this,arguments))}return E(t,b.default.Component),m(t,[{key:"render",value:function(){var e=this.props,t=e.grading,n=e.onToggle,o=r.get(this.props,"grading.type",""),i=r.get(this.props,"grading.summary",{}),a=i.total,s=void 0===a?0:a,l=i.failures,c=void 0===l?0:l,u=i.results,p=void 0===u?[]:u;if(!t)return null;var d=void 0;switch(o){case"initializing":case"start":d="Loading the test framework";break;case"running":d="Completed test "+p.length+" of "+s;break;case"finished":d=c?"Some tests have failed":"Great job!";break;case"error":d="System Error";break;default:return null}return b.default.createElement("span",{"data-test":"show-grader",styleName:"preview",onClick:n},d,b.default.createElement("span",{styleName:"glyph-container"},b.default.createElement(v.default,{className:y.default.glyph,glyph:"arrow-up-sm"})),b.default.createElement("span",{styleName:"glyph-text"},"SHOW GRADER"))}}]),t}())||h}).call(this,n(5),n(4))},1771:function(e,t,n){"use strict";(function(e,r){Object.defineProperty(t,"__esModule",{value:!0}),t.HtmlPanel=t.default=void 0;var o,i,a,s,l,c,u,p,d,f,h=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var n=arguments[t];for(var r in n)Object.prototype.hasOwnProperty.call(n,r)&&(e[r]=n[r])}return e},m=function(){function e(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}return function(t,n,r){return n&&e(t.prototype,n),r&&e(t,r),t}}(),b=R(n(1)),g=R(n(0)),_=n(33),v=R(n(1645)),y=n(3172),w=R(y),x=n(3173),k=R(n(3174)),C=R(n(1656)),E=n(1675),O=n(482),T=R(n(2021)),S=n(483),P=n(1770),M=R(P),D=n(1664),A=n(1696);function R(e){return e&&e.__esModule?e:{default:e}}function L(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function I(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}function F(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}var j,N,B,U,W,H,$=(o=(0,v.default)(),i=(0,S.withReduxScope)(void 0,function(e,t){var n=t.scope;return{onToggleGradingOverlay:function(){return e((0,D.toggle)(n))},onFramePostMessage:function(t,r,o){return e((0,A.postMessage)(n,{iframeId:t,message:r,url:o}))},onFrameReady:function(){return e((0,A.iframeReady)(n))}}}),a=(0,O.debounce)(500),o(s=i((u=c=function(t){function n(){var e,t,r;L(this,n);for(var o=arguments.length,i=Array(o),a=0;a<o;a++)i[a]=arguments[a];return t=r=I(this,(e=n.__proto__||Object.getPrototypeOf(n)).call.apply(e,[this].concat(i))),r.setRoot=function(e){var t=r.root;r.root=e,!t&&r.root&&r.forceUpdate()},I(r,t)}return F(n,b.default.Component),m(n,[{key:"componentWillMount",value:function(){this.server=new E.Server(this.props.server),this.managers={editor:new E.PanelManager,files:new E.PanelManager,grading:new E.PanelManager}}},{key:"componentDidMount",value:function(){this.startProject(this.props.project)}},{key:"componentWillReceiveProps",value:function(e){this.props.project.isEqual(e.project)||this.startProject(e.project)}},{key:"componentWillUnmount",value:function(){this.props.cancel()}},{key:"startProject",value:function(e){var t=(0,y.makeSaga)(this.server,this.managers,e,{onBackupDownload:this.props.onBackupDownload,onBackupStatus:this.props.onBackupStatus,onLoadArchives:this.props.onLoadArchives,selectState:this.props.selectState,context:this.props.context,lab:this.props.lab,onChangeGPUMode:this.props.onChangeGPUMode});this.props.supply({saga:t,scope:this.props.scope,initialState:y.initialState,reducer:w.default})}},{key:"render",value:function(){var t=E.components.Editor,n=E.components.Files,r=E.components.Layout,o=this.props,i=o.scopedState,a=o.isFullScreenActive,s=o.project.blueprint.conf,l=e.get(i,"grade"),c=e.get(i,"iframeChannel.iframeId"),u=e.get(i,"iframeChannel.iframeReady"),p=b.default.createElement(t,{server:this.server,manager:this.managers.editor,filesManager:this.managers.files,allowClose:s.allowClose,saveOnClose:!0}),d=b.default.createElement(n,{server:this.server,manager:this.managers.files,editorManager:this.managers.editor}),f=b.default.createElement(z,{url:this.server.url+"/files"+s.previewFile,originUrl:this.server.url,iframeControl:e.get(i,"renderControl"),isFullScreenActive:a,changesSaved:e.get(i,"changesSaved"),onFramePostMessage:this.props.onFramePostMessage,onFrameReady:this.props.onFrameReady,iframeId:c,iframeReady:u}),m=b.default.createElement(M.default,{scope:this.props.scope,manager:this.managers.grading,grading:l,lab:this.props.lab,onToggle:this.props.onToggleGradingOverlay}),g=b.default.createElement(P.GradingPreview,{scope:this.props.scope,grading:l,onToggle:this.props.onToggleGradingOverlay}),_=l&&l.isOpen,v=this.props.lab&&!_;return b.default.createElement("div",{ref:this.setRoot,style:{height:a?"100%":"500px",position:"relative"}},b.default.createElement("div",{style:h({position:"relative",height:"calc(100% - 48px)"},this.props.styles),className:"scoped-bootstrap student-workspace "+(a?"":"inline attached")},b.default.createElement("div",{className:"theme_dark",style:{height:"100%"}},b.default.createElement(r,{layout:{override:!0,is_hidden:{files:!s.showFiles,editor:!s.showEditor,grading:!_},maximized:"",layout:{type:"horizontal",parts:[{weight:a?1:2,key:"files",component:d},{type:"vertical",weight:6,parts:[{type:"horizontal",weight:1,parts:[{weight:3,key:"editor",component:p},{weight:3,key:"html",component:f}]},{weight:1,key:"grading",component:m}]}]}}}))),b.default.createElement(C.default,{actionButton:b.default.createElement("span",null),allowBackups:!!this.props.onBackupStatus&&s.showFiles,allowGrade:!!this.props.lab,allowSubmit:s.allowSubmit,fullScreen:this.props.fullScreen,gpuCapable:this.props.gpuCapable,gpuConflictWith:this.props.gpuConflictWith,gpuSecondsRemaining:this.props.gpuSecondsRemaining,hasFilesPanel:s.showFiles,isFullScreenActive:a,isGPURunning:this.props.isGPURunning,leave:v?g:null,masterFilesUpdated:this.props.masterFilesUpdated,onGoToLessons:this.props.onGoToLessons,onNext:this.props.onNext,onReconnect:this.props.onReconnect,onResetFiles:this.props.onResetFiles,onSubmit:this.props.onSubmit,onToggleFillsMonitorScreen:this.props.onToggleFillsMonitorScreen,parent:this.root,parentNode:this.props.parentNode,scope:this.props.scope,scopedState:i,starConnected:this.props.starConnected}))}}],[{key:"kind",value:function(){return"html-live"}},{key:"configurator",value:function(){return k.default}},{key:"features",value:function(){return{gpu:!0,labs:!0,submit:!0}}}]),n}(),c.displayName="blueprints/html-live",j=(l=u).prototype,N="startProject",B=[a],U=Object.getOwnPropertyDescriptor(l.prototype,"startProject"),W=l.prototype,H={},Object.keys(U).forEach(function(e){H[e]=U[e]}),H.enumerable=!!H.enumerable,H.configurable=!!H.configurable,("value"in H||H.initializer)&&(H.writable=!0),H=B.slice().reverse().reduce(function(e,t){return t(j,N,e)||e},H),W&&void 0!==H.initializer&&(H.value=H.initializer?H.initializer.call(W):void 0,H.initializer=void 0),void 0===H.initializer&&(Object.defineProperty(j,N,H),H=null),s=l))||s)||s);t.default=$;var z=t.HtmlPanel=r(T.default)((f=d=function(e){function t(){return L(this,t),I(this,(t.__proto__||Object.getPrototypeOf(t)).apply(this,arguments))}return F(t,b.default.Component),m(t,[{key:"render",value:function(){var e=this;return b.default.createElement("div",{id:this.props.id,className:"full-height panel",styleName:this.props.isFullScreenActive?"":"inline"},e.props.url?b.default.createElement(x.ControlledFrame,{renderControl:e.props.iframeControl,url:e.props.url,originUrl:e.props.originUrl,styleName:"controlled-frame",onPostMessage:e.props.onFramePostMessage,onFrameReady:e.props.onFrameReady,changesSaved:e.props.changesSaved,iframeReady:e.props.iframeReady,iframeId:e.props.iframeId}):b.default.createElement("div",{style:{height:"100%",display:"flex",width:"100%",alignItems:"center",flexDirection:"column"}},b.default.createElement("div",{style:{flex:"1"}}),b.default.createElement("div",{style:{flex:"1"}},b.default.createElement(_.Loading,null))))}}],[{key:"propTypes",get:function(){return{id:g.default.string,url:g.default.string,originUrl:g.default.string,iframeControl:g.default.number,onFramePostMessage:g.default.func,onFrameReady:g.default.func,iframeId:g.default.string,iframeReady:g.default.bool}}}]),t}(),d.defaultProps={url:"",iframeControl:1},p=f))||p}).call(this,n(4),n(5))},1830:function(e,t,n){"use strict";(function(e,r){Object.defineProperty(t,"__esModule",{value:!0}),t.default=void 0;var o,i,a,s=function(){function e(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}return function(t,n,r){return n&&e(t.prototype,n),r&&e(t,r),t}}(),l=n(33),c=p(n(0)),u=p(n(2951));function p(e){return e&&e.__esModule?e:{default:e}}function d(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}var f="SPINNER",h="PROGRESS_BAR",m=500,b=5e3,g={running:"",starting:"Starting Workspace VM.",downloading:"Downloading files to your Workspace.",compressing:"Compressing files on your Workspace.",decompressing:"Decompressing files on your Workspace.",deleting:"Shutting down your Workspace.",backing_up:"Creating Workspace backup.",uploading:"Storing your Workspace files."},_={animType:f,duration:0,progressDuration:0,stuck:!1},v=e(u.default)((a=i=function(e){function t(){var e,n,r;!function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}(this,t);for(var o=arguments.length,i=Array(o),a=0;a<o;a++)i[a]=arguments[a];return n=r=d(this,(e=t.__proto__||Object.getPrototypeOf(t)).call.apply(e,[this].concat(i))),r.state=_,r.checkProgress=function(){var e=r.props,t=e.progress,n=e.stuckThreshold,o=r.state.duration+m,i={duration:o,progressDuration:r.state.progressDuration+m};o<b?i.animType=f:t>=1&&t<=100&&o>=b&&(i.animType=h),r.state.progressDuration>n&&(i.stuck=!0),r.setState(i)},d(r,n)}return function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}(t,r.Component),s(t,[{key:"componentDidMount",value:function(){this.timer=setInterval(this.checkProgress,m)}},{key:"componentDidUpdate",value:function(e){var t=this.props,n=t.phase,r=t.progress;n!==e.phase?this._refreshLoader():e.progress!==r&&this.setState({progressDuration:0,stuck:!1})}},{key:"componentWillUnmount",value:function(){clearInterval(this.timer)}},{key:"_refreshLoader",value:function(){this.setState(_)}},{key:"_getLoadingPhaseText",value:function(){var e=this.props.phase;if(e)return e in g?g[e]:(e=e.replace(/[_-]/g," "))[0].toUpperCase()+e.slice(1)+"..."}},{key:"render",value:function(){var e=this.props,t=e.progress,n=e.queuePosition,o=this._getLoadingPhaseText();return r.createElement("div",{styleName:"star-progress"},r.createElement("div",{styleName:"progress-heading"},this.props.isShuttingDown?"Shutting Down":"Setting Up"),r.createElement("div",{styleName:"progress-phase"},o),this.state.animType===f&&r.createElement(l.Loading,null),this.state.animType===h&&r.createElement("div",{styleName:"progress-div"},r.createElement("div",{styleName:"progress-text"},t+"%"),r.createElement("div",{styleName:"progress-bar"},r.createElement("div",{role:"progressbar","aria-valuenow":t,"aria-valuemin":"0","aria-valuemax":"100",styleName:"progress-bar-inner",style:{width:t+"%"}}))),this.state.stuck&&r.createElement("div",{styleName:"progress-stuck"},n?r.createElement("p",null,"Your position in the queue is "+n+"."):r.createElement("p",null,"The server is still working.")))}}]),t}(),i.propTypes={isShuttingDown:c.default.bool,phase:c.default.string,progress:c.default.number,stuckThreshold:c.default.number},i.defaultProps={isShuttingDown:!1,phase:"starting",progress:-1,stuckThreshold:1e4},o=a))||o;t.default=v}).call(this,n(5),n(1))},1831:function(e,t,n){var r=n(1993).ottypes,o=n(1832),i=t.Doc=function(e,t,n){o.EventEmitter.call(this),this.connection=e,this.collection=t,this.name=n,this.version=this.type=null,this.snapshot=void 0,this.action=null,this.state=null,this.subscribed=!1,this.wantSubscribe=!1,this._subscribeCallbacks=[],this.provides={},this.editingContexts=[],this.inflightData=null,this.pendingData=[],this.type=null,this._getLatestTimeout=null};o.mixin(i),i.prototype.destroy=function(e){var t=this;this.unsubscribe(function(){t.hasPending()?t.once("nothing pending",function(){t.connection._destroyDoc(t)}):t.connection._destroyDoc(t),t.removeContexts(),e&&e()})},i.prototype._setType=function(e){if("string"==typeof e){if(!r[e])throw new Error("Missing type "+e+" "+this.collection+" "+this.name);e=r[e]}this.removeContexts(),this.type=e,e?e.api&&(this.provides=e.api.provides):(this.provides={},this.snapshot=void 0)},i.prototype.ingestData=function(e){if("number"!=typeof e.v)throw new Error("Missing version in ingested data "+this.collection+" "+this.name);if(this.state){if(this.version>=e.v)return;console.warn("Ignoring ingest data for",this.collection,this.name,"\n in state:",this.state,"\n version:",this.version,"\n snapshot:\n",this.snapshot,"\n incoming data:\n",e)}else this.version=e.v,this.snapshot=e.data,this._setType(e.type),this.state="ready",this.emit("ready")},i.prototype.getSnapshot=function(){return this.snapshot},i.prototype.whenReady=function(e){"ready"===this.state?e():this.once("ready",e)},i.prototype.hasPending=function(){return null!=this.action||null!=this.inflightData||!!this.pendingData.length},i.prototype._emitNothingPending=function(){this.hasPending()||this.emit("nothing pending")},i.prototype._handleSubscribe=function(e,t){if(e&&"Already subscribed"!==e)return console.error("Could not subscribe:",e,this.collection,this.name),this.emit("error",e),void this._setWantSubscribe(!1,null,e);t&&this.ingestData(t),this.subscribed=!0,this._clearAction(),this.emit("subscribe"),this._finishSub()},i.prototype._onMessage=function(e){if(e.c!==this.collection||e.d!==this.name){var t="Got message for wrong document.";throw console.error(t,this.collection,this.name,e),new Error(t)}switch(e.a){case"fetch":e.data&&this.ingestData(e.data),"fetch"===this.wantSubscribe&&(this.wantSubscribe=!1),this._clearAction(),this._finishSub(e.error);break;case"sub":this._handleSubscribe(e.error,e.data);break;case"unsub":this.subscribed=!1,this.emit("unsubscribe"),this._clearAction(),this._finishSub(e.error);break;case"ack":e.error&&"Op already submitted"!==e.error&&(this.inflightData?(console.warn("Operation was rejected ("+e.error+"). Trying to rollback change locally."),this._tryRollback(this.inflightData),this._clearInflightOp(e.error)):console.warn("Second acknowledgement message (error) received",e,this));break;case"op":if(this.inflightData&&e.src===this.inflightData.src&&e.seq===this.inflightData.seq){this._opAcknowledged(e);break}if(null==this.version||e.v>this.version){this._getLatestOps();break}if(e.v<this.version)break;this.inflightData&&l(this.inflightData,e);for(var n=0;n<this.pendingData.length;n++)l(this.pendingData[n],e);this.version++,this._otApply(e,!1);break;case"meta":console.warn("Unhandled meta op:",e);break;default:console.warn("Unhandled document message:",e)}},i.prototype._getLatestOps=function(){var e=this,t=!1;e._getLatestTimeout?t=!0:e.connection.sendFetch(e,e.version),clearTimeout(e._getLatestTimeout),e._getLatestTimeout=setTimeout(function(){e._getLatestTimeout=null,t&&e.connection.sendFetch(e,e.version)},5e3)},i.prototype._onConnectionStateChanged=function(){this.connection.canSend?this.flush():(this.subscribed=!1,this._clearAction())},i.prototype._clearAction=function(){this.action=null,this.flush(),this._emitNothingPending()},i.prototype.flush=function(){if(this.connection.canSend&&!this.inflightData){for(var e;this.pendingData.length&&s(e=this.pendingData[0]);){for(var t=e.callbacks,n=0;n<t.length;n++)t[n](e.error);this.pendingData.shift()}if(this.paused||!this.pendingData.length){if(!this.action){var r="ready"===this.state?this.version:null;this.subscribed&&!this.wantSubscribe?(this.action="unsubscribe",this.connection.sendUnsubscribe(this)):this.subscribed||"fetch"!==this.wantSubscribe?!this.subscribed&&this.wantSubscribe&&(this.action="subscribe",this.connection.sendSubscribe(this,r)):(this.action="fetch",this.connection.sendFetch(this,r))}}else this._sendOpData()}},i.prototype._setWantSubscribe=function(e,t,n){this.subscribed===this.wantSubscribe&&(this.subscribed===e||"fetch"===e&&this.subscribed)?t&&t(n):("fetch"===e&&!0===this.wantSubscribe||(this.wantSubscribe=e),t&&this._subscribeCallbacks.push(t),this.flush())},i.prototype.subscribe=function(e){this._setWantSubscribe(!0,e)},i.prototype.unsubscribe=function(e){this._setWantSubscribe(!1,e)},i.prototype.fetch=function(e){this._setWantSubscribe("fetch",e)},i.prototype._finishSub=function(e){if(this._subscribeCallbacks.length){for(var t=0;t<this._subscribeCallbacks.length;t++)this._subscribeCallbacks[t](e);this._subscribeCallbacks.length=0}};var a=function(e){delete e.op,delete e.create,delete e.del},s=function(e){return!e.op&&!e.create&&!e.del},l=function(e,t){if(t.create||t.del)return a(e);if(e.create)throw new Error("Invalid state. This is a bug. "+this.collection+" "+this.name);if(e.del)return a(t);if(t.op&&e.op)if(e.type.transformX){var n=e.type.transformX(e.op,t.op);e.op=n[0],t.op=n[1]}else{var r=e.type.transform(e.op,t.op,"left"),o=e.type.transform(t.op,e.op,"right");e.op=r,t.op=o}};i.prototype._otApply=function(e,t){if(this.locked=!0,e.create){var n=e.create;this._setType(n.type),this.snapshot=this.type.create(n.data),this.once("unlock",function(){this.emit("create",t)})}else if(e.del){var r=this.snapshot;this._setType(null),this.once("unlock",function(){this.emit("del",t,r)})}else if(e.op){if(!this.type)throw new Error("Document does not exist. "+this.collection+" "+this.name);for(var o=this.type,i=e.op,a=0;a<this.editingContexts.length;a++){(c=this.editingContexts[a])!=t&&c._beforeOp&&c._beforeOp(e.op)}if(this.emit("before op",i,t),this.incremental&&o.incrementalApply){var s=this;o.incrementalApply(this.snapshot,i,function(e,n){s.snapshot=n,s.emit("op",e,t)})}else this.snapshot=o.apply(this.snapshot,i),this.emit("op",i,t)}if(this.locked=!1,this.emit("unlock"),e.op){var l=this.editingContexts;for(a=0;a<l.length;a++){var c;(c=l[a])!=t&&c._onOp&&c._onOp(e.op)}for(a=0;a<l.length;a++)l[a].shouldBeRemoved&&l.splice(a--,1);return this.emit("after op",e.op,t)}},i.prototype.retry=function(){if(this.inflightData){var e=5e3*Math.pow(2,this.inflightData.retries);this.inflightData.sentAt<Date.now()-e&&(this.connection.emit("retry",this),this._sendOpData())}},i.prototype._sendOpData=function(){var e=this.connection.id;if(e){this.inflightData||(this.inflightData=this.pendingData.shift());var t=this.inflightData;if(!t)throw new Error("no data to send on call to _sendOpData");t.sentAt=Date.now(),t.retries=null==t.retries?0:t.retries+1,null==t.seq&&(t.seq=this.connection.seq++),this.connection.sendOp(this,t),null==t.src&&(t.src=e)}},i.prototype._submitOpData=function(e,t,n){if("function"==typeof t&&(n=t,t=!0),null==t&&(t=!0),this.locked){var r="Cannot call submitOp from inside an 'op' event handler. "+this.collection+" "+this.name;if(n)return n(r);throw new Error(r)}if(e.op){if(!this.type){r="Document has not been created";if(n)return n(r);throw new Error(r)}this.type.normalize&&(e.op=this.type.normalize(e.op))}var o;this.state||(this.state="floating"),e.type=this.type,e.callbacks=[];var i=this.pendingData[this.pendingData.length-1];i&&function(e,t,n){if(t.create&&n.del)a(t);else if(t.create&&n.op){var r=void 0===t.create.data?e.create():t.create.data;t.create.data=e.apply(r,n.op)}else if(s(t))t.create=n.create,t.del=n.del,t.op=n.op;else{if(!(t.op&&n.op&&e.compose))return!1;t.op=e.compose(t.op,n.op)}return!0}(this.type,i,e)?o=i:(o=e,this.pendingData.push(e)),n&&o.callbacks.push(n),this._otApply(e,t);var l=this;setTimeout(function(){l.flush()},0)},i.prototype.submitOp=function(e,t,n){this._submitOpData({op:e},t,n)},i.prototype.create=function(e,t,n,r){if("function"==typeof t&&(n=t,t=void 0),this.type){var o="Document already exists";if(r)return r(o);throw new Error(o)}var i={create:{type:e,data:t}};this._submitOpData(i,n,r)},i.prototype.del=function(e,t){if(!this.type){var n="Document does not exist";if(t)return t(n);throw new Error(n)}this._submitOpData({del:!0},e,t)},i.prototype.pause=function(){this.paused=!0},i.prototype.resume=function(){this.paused=!1,this.flush()},i.prototype._tryRollback=function(e){if(e.create)this._setType(null),"floating"===this.state?this.state=null:console.warn("Rollback a create from state "+this.state);else if(e.op&&e.type.invert){e.op=e.type.invert(e.op);for(var t=0;t<this.pendingData.length;t++)l(this.pendingData[t],e);this._otApply(e,!1)}else(e.op||e.del)&&(this._setType(null),this.version=null,this.state=null,this.subscribed=!1,this.emit("error","Op apply failed and the operation could not be reverted"),this.fetch(),this.flush())},i.prototype._clearInflightOp=function(e){for(var t=this.inflightData.callbacks,n=0;n<t.length;n++)t[n](e||this.inflightData.error);this.inflightData=null,this.flush(),this._emitNothingPending()},i.prototype._opAcknowledged=function(e){if(!this.state)throw new Error("opAcknowledged called from a null state. This should never happen. "+this.collection+" "+this.name);if("floating"===this.state){if(!this.inflightData.create)throw new Error("Cannot acknowledge an op. "+this.collection+" "+this.name);this.version=e.v,this.state="ready";var t=this;setTimeout(function(){t.emit("ready")},0)}else if(e.v!==this.version)throw new Error("Invalid version from server. This can happen when you submit ops in a submitOp callback. Expected: "+this.version+" Message version: "+e.v+" "+this.collection+" "+this.name);this.version++,this._clearInflightOp()},i.prototype.createContext=function(){var e=this.type;if(!e)throw new Error("Missing type "+this.collection+" "+this.name);var t=this,n={getSnapshot:function(){return t.snapshot},submitOp:function(e,r){t.submitOp(e,n,r)},destroy:function(){this.detach&&(this.detach(),delete this.detach),delete this._onOp,this.shouldBeRemoved=!0},_doc:this};if(e.api)for(var r in e.api)n[r]=e.api[r];else n.provides={};return this.editingContexts.push(n),n},i.prototype.removeContexts=function(){for(var e=0;e<this.editingContexts.length;e++)this.editingContexts[e].destroy();this.editingContexts.length=0}},1832:function(e,t,n){var r=n(485).EventEmitter;t.EventEmitter=r,t.mixin=function(e){for(var t in r.prototype)e.prototype[t]=r.prototype[t]}},1833:function(e,t,n){!function(e){"use strict";e.defineMode("javascript",function(t,n){var r,o,i=t.indentUnit,a=n.statementIndent,s=n.jsonld,l=n.json||s,c=n.typescript,u=n.wordCharacters||/[\w$\xa1-\uffff]/,p=function(){function e(e){return{type:e,style:"keyword"}}var t=e("keyword a"),n=e("keyword b"),r=e("keyword c"),o=e("keyword d"),i=e("operator"),a={type:"atom",style:"atom"};return{if:e("if"),while:t,with:t,else:n,do:n,try:n,finally:n,return:o,break:o,continue:o,new:e("new"),delete:r,void:r,throw:r,debugger:e("debugger"),var:e("var"),const:e("var"),let:e("var"),function:e("function"),catch:e("catch"),for:e("for"),switch:e("switch"),case:e("case"),default:e("default"),in:i,typeof:i,instanceof:i,true:a,false:a,null:a,undefined:a,NaN:a,Infinity:a,this:e("this"),class:e("class"),super:e("atom"),yield:r,export:e("export"),import:e("import"),extends:r,await:r}}(),d=/[+\-*&%=<>!?|~^@]/,f=/^@(context|id|value|language|type|container|list|set|reverse|index|base|vocab|graph)"/;function h(e,t,n){return r=e,o=n,t}function m(e,t){var n,r=e.next();if('"'==r||"'"==r)return t.tokenize=(n=r,function(e,t){var r,o=!1;if(s&&"@"==e.peek()&&e.match(f))return t.tokenize=m,h("jsonld-keyword","meta");for(;null!=(r=e.next())&&(r!=n||o);)o=!o&&"\\"==r;return o||(t.tokenize=m),h("string","string")}),t.tokenize(e,t);if("."==r&&e.match(/^\d+(?:[eE][+\-]?\d+)?/))return h("number","number");if("."==r&&e.match(".."))return h("spread","meta");if(/[\[\]{}\(\),;\:\.]/.test(r))return h(r);if("="==r&&e.eat(">"))return h("=>","operator");if("0"==r&&e.match(/^(?:x[\da-f]+|o[0-7]+|b[01]+)n?/i))return h("number","number");if(/\d/.test(r))return e.match(/^\d*(?:n|(?:\.\d*)?(?:[eE][+\-]?\d+)?)?/),h("number","number");if("/"==r)return e.eat("*")?(t.tokenize=b,b(e,t)):e.eat("/")?(e.skipToEnd(),h("comment","comment")):Ge(e,t,1)?(function(e){for(var t,n=!1,r=!1;null!=(t=e.next());){if(!n){if("/"==t&&!r)return;"["==t?r=!0:r&&"]"==t&&(r=!1)}n=!n&&"\\"==t}}(e),e.match(/^\b(([gimyus])(?![gimyus]*\2))+\b/),h("regexp","string-2")):(e.eat("="),h("operator","operator",e.current()));if("`"==r)return t.tokenize=g,g(e,t);if("#"==r)return e.skipToEnd(),h("error","error");if(d.test(r))return">"==r&&t.lexical&&">"==t.lexical.type||(e.eat("=")?"!"!=r&&"="!=r||e.eat("="):/[<>*+\-]/.test(r)&&(e.eat(r),">"==r&&e.eat(r))),h("operator","operator",e.current());if(u.test(r)){e.eatWhile(u);var o=e.current();if("."!=t.lastType){if(p.propertyIsEnumerable(o)){var i=p[o];return h(i.type,i.style,o)}if("async"==o&&e.match(/^(\s|\/\*.*?\*\/)*[\[\(\w]/,!1))return h("async","keyword",o)}return h("variable","variable",o)}}function b(e,t){for(var n,r=!1;n=e.next();){if("/"==n&&r){t.tokenize=m;break}r="*"==n}return h("comment","comment")}function g(e,t){for(var n,r=!1;null!=(n=e.next());){if(!r&&("`"==n||"$"==n&&e.eat("{"))){t.tokenize=m;break}r=!r&&"\\"==n}return h("quasi","string-2",e.current())}var _="([{}])";function v(e,t){t.fatArrowAt&&(t.fatArrowAt=null);var n=e.string.indexOf("=>",e.start);if(!(n<0)){if(c){var r=/:\s*(?:\w+(?:<[^>]*>|\[\])?|\{[^}]*\})\s*$/.exec(e.string.slice(e.start,n));r&&(n=r.index)}for(var o=0,i=!1,a=n-1;a>=0;--a){var s=e.string.charAt(a),l=_.indexOf(s);if(l>=0&&l<3){if(!o){++a;break}if(0==--o){"("==s&&(i=!0);break}}else if(l>=3&&l<6)++o;else if(u.test(s))i=!0;else{if(/["'\/]/.test(s))return;if(i&&!o){++a;break}}}i&&!o&&(t.fatArrowAt=a)}}var y={atom:!0,number:!0,variable:!0,string:!0,regexp:!0,this:!0,"jsonld-keyword":!0};function w(e,t,n,r,o,i){this.indented=e,this.column=t,this.type=n,this.prev=o,this.info=i,null!=r&&(this.align=r)}function x(e,t){for(var n=e.localVars;n;n=n.next)if(n.name==t)return!0;for(var r=e.context;r;r=r.prev)for(var n=r.vars;n;n=n.next)if(n.name==t)return!0}var k={state:null,column:null,marked:null,cc:null};function C(){for(var e=arguments.length-1;e>=0;e--)k.cc.push(arguments[e])}function E(){return C.apply(null,arguments),!0}function O(e,t){for(var n=t;n;n=n.next)if(n.name==e)return!0;return!1}function T(e){var t=k.state;if(k.marked="def",t.context)if("var"==t.lexical.info&&t.context&&t.context.block){var r=function e(t,n){if(n){if(n.block){var r=e(t,n.prev);return r?r==n.prev?n:new P(r,n.vars,!0):null}return O(t,n.vars)?n:new P(n.prev,new M(t,n.vars),!1)}return null}(e,t.context);if(null!=r)return void(t.context=r)}else if(!O(e,t.localVars))return void(t.localVars=new M(e,t.localVars));n.globalVars&&!O(e,t.globalVars)&&(t.globalVars=new M(e,t.globalVars))}function S(e){return"public"==e||"private"==e||"protected"==e||"abstract"==e||"readonly"==e}function P(e,t,n){this.prev=e,this.vars=t,this.block=n}function M(e,t){this.name=e,this.next=t}var D=new M("this",new M("arguments",null));function A(){k.state.context=new P(k.state.context,k.state.localVars,!1),k.state.localVars=D}function R(){k.state.context=new P(k.state.context,k.state.localVars,!0),k.state.localVars=null}function L(){k.state.localVars=k.state.context.vars,k.state.context=k.state.context.prev}function I(e,t){var n=function(){var n=k.state,r=n.indented;if("stat"==n.lexical.type)r=n.lexical.indented;else for(var o=n.lexical;o&&")"==o.type&&o.align;o=o.prev)r=o.indented;n.lexical=new w(r,k.stream.column(),e,null,n.lexical,t)};return n.lex=!0,n}function F(){var e=k.state;e.lexical.prev&&(")"==e.lexical.type&&(e.indented=e.lexical.indented),e.lexical=e.lexical.prev)}function j(e){return function t(n){return n==e?E():";"==e||"}"==n||")"==n||"]"==n?C():E(t)}}function N(e,t){return"var"==e?E(I("vardef",t),_e,j(";"),F):"keyword a"==e?E(I("form"),H,N,F):"keyword b"==e?E(I("form"),N,F):"keyword d"==e?k.stream.match(/^\s*$/,!1)?E():E(I("stat"),z,j(";"),F):"debugger"==e?E(j(";")):"{"==e?E(I("}"),R,ae,F,L):";"==e?E():"if"==e?("else"==k.state.lexical.info&&k.state.cc[k.state.cc.length-1]==F&&k.state.cc.pop()(),E(I("form"),H,N,F,Ce)):"function"==e?E(Se):"for"==e?E(I("form"),Ee,N,F):"class"==e||c&&"interface"==t?(k.marked="keyword",E(I("form","class"==e?e:t),Re,F)):"variable"==e?c&&"declare"==t?(k.marked="keyword",E(N)):c&&("module"==t||"enum"==t||"type"==t)&&k.stream.match(/^\s*\w/,!1)?(k.marked="keyword","enum"==t?E(qe):"type"==t?E(Me,j("operator"),ue,j(";")):E(I("form"),ve,j("{"),I("}"),ae,F,F)):c&&"namespace"==t?(k.marked="keyword",E(I("form"),U,N,F)):c&&"abstract"==t?(k.marked="keyword",E(N)):E(I("stat"),Z):"switch"==e?E(I("form"),H,j("{"),I("}","switch"),R,ae,F,F,L):"case"==e?E(U,j(":")):"default"==e?E(j(":")):"catch"==e?E(I("form"),A,B,N,F,L):"export"==e?E(I("stat"),je,F):"import"==e?E(I("stat"),Be,F):"async"==e?E(N):"@"==t?E(U,N):C(I("stat"),U,j(";"),F)}function B(e){if("("==e)return E(De,j(")"))}function U(e,t){return $(e,t,!1)}function W(e,t){return $(e,t,!0)}function H(e){return"("!=e?C():E(I(")"),U,j(")"),F)}function $(e,t,n){if(k.state.fatArrowAt==k.stream.start){var r=n?Y:X;if("("==e)return E(A,I(")"),oe(De,")"),F,j("=>"),r,L);if("variable"==e)return C(A,ve,j("=>"),r,L)}var o=n?K:q;return y.hasOwnProperty(e)?E(o):"function"==e?E(Se,o):"class"==e||c&&"interface"==t?(k.marked="keyword",E(I("form"),Ae,F)):"keyword c"==e||"async"==e?E(n?W:U):"("==e?E(I(")"),z,j(")"),F,o):"operator"==e||"spread"==e?E(n?W:U):"["==e?E(I("]"),ze,F,o):"{"==e?ie(te,"}",null,o):"quasi"==e?C(G,o):"new"==e?E(function(e){return function(t){return"."==t?E(e?Q:J):"variable"==t&&c?E(me,e?K:q):C(e?W:U)}}(n)):"import"==e?E(U):E()}function z(e){return e.match(/[;\}\)\],]/)?C():C(U)}function q(e,t){return","==e?E(U):K(e,t,!1)}function K(e,t,n){var r=0==n?q:K,o=0==n?U:W;return"=>"==e?E(A,n?Y:X,L):"operator"==e?/\+\+|--/.test(t)||c&&"!"==t?E(r):c&&"<"==t&&k.stream.match(/^([^>]|<.*?>)*>\s*\(/,!1)?E(I(">"),oe(ue,">"),F,r):"?"==t?E(U,j(":"),o):E(o):"quasi"==e?C(G,r):";"!=e?"("==e?ie(W,")","call",r):"."==e?E(ee,r):"["==e?E(I("]"),z,j("]"),F,r):c&&"as"==t?(k.marked="keyword",E(ue,r)):"regexp"==e?(k.state.lastType=k.marked="operator",k.stream.backUp(k.stream.pos-k.stream.start-1),E(o)):void 0:void 0}function G(e,t){return"quasi"!=e?C():"${"!=t.slice(t.length-2)?E(G):E(U,V)}function V(e){if("}"==e)return k.marked="string-2",k.state.tokenize=g,E(G)}function X(e){return v(k.stream,k.state),C("{"==e?N:U)}function Y(e){return v(k.stream,k.state),C("{"==e?N:W)}function J(e,t){if("target"==t)return k.marked="keyword",E(q)}function Q(e,t){if("target"==t)return k.marked="keyword",E(K)}function Z(e){return":"==e?E(F,N):C(q,j(";"),F)}function ee(e){if("variable"==e)return k.marked="property",E()}function te(e,t){return"async"==e?(k.marked="property",E(te)):"variable"==e||"keyword"==k.style?(k.marked="property","get"==t||"set"==t?E(ne):(c&&k.state.fatArrowAt==k.stream.start&&(n=k.stream.match(/^\s*:\s*/,!1))&&(k.state.fatArrowAt=k.stream.pos+n[0].length),E(re))):"number"==e||"string"==e?(k.marked=s?"property":k.style+" property",E(re)):"jsonld-keyword"==e?E(re):c&&S(t)?(k.marked="keyword",E(te)):"["==e?E(U,se,j("]"),re):"spread"==e?E(W,re):"*"==t?(k.marked="keyword",E(te)):":"==e?C(re):void 0;var n}function ne(e){return"variable"!=e?C(re):(k.marked="property",E(Se))}function re(e){return":"==e?E(W):"("==e?C(Se):void 0}function oe(e,t,n){function r(o,i){if(n?n.indexOf(o)>-1:","==o){var a=k.state.lexical;return"call"==a.info&&(a.pos=(a.pos||0)+1),E(function(n,r){return n==t||r==t?C():C(e)},r)}return o==t||i==t?E():n&&n.indexOf(";")>-1?C(e):E(j(t))}return function(n,o){return n==t||o==t?E():C(e,r)}}function ie(e,t,n){for(var r=3;r<arguments.length;r++)k.cc.push(arguments[r]);return E(I(t,n),oe(e,t),F)}function ae(e){return"}"==e?E():C(N,ae)}function se(e,t){if(c){if(":"==e||"in"==t)return E(ue);if("?"==t)return E(se)}}function le(e){if(c&&":"==e)return k.stream.match(/^\s*\w+\s+is\b/,!1)?E(U,ce,ue):E(ue)}function ce(e,t){if("is"==t)return k.marked="keyword",E()}function ue(e,t){return"keyof"==t||"typeof"==t||"infer"==t?(k.marked="keyword",E("typeof"==t?W:ue)):"variable"==e||"void"==t?(k.marked="type",E(he)):"|"==t||"&"==t?E(ue):"string"==e||"number"==e||"atom"==e?E(he):"["==e?E(I("]"),oe(ue,"]",","),F,he):"{"==e?E(I("}"),oe(de,"}",",;"),F,he):"("==e?E(oe(fe,")"),pe,he):"<"==e?E(oe(ue,">"),ue):void 0}function pe(e){if("=>"==e)return E(ue)}function de(e,t){return"variable"==e||"keyword"==k.style?(k.marked="property",E(de)):"?"==t||"number"==e||"string"==e?E(de):":"==e?E(ue):"["==e?E(j("variable"),se,j("]"),de):"("==e?C(Pe,de):void 0}function fe(e,t){return"variable"==e&&k.stream.match(/^\s*[?:]/,!1)||"?"==t?E(fe):":"==e?E(ue):"spread"==e?E(fe):C(ue)}function he(e,t){return"<"==t?E(I(">"),oe(ue,">"),F,he):"|"==t||"."==e||"&"==t?E(ue):"["==e?E(ue,j("]"),he):"extends"==t||"implements"==t?(k.marked="keyword",E(ue)):"?"==t?E(ue,j(":"),ue):void 0}function me(e,t){if("<"==t)return E(I(">"),oe(ue,">"),F,he)}function be(){return C(ue,ge)}function ge(e,t){if("="==t)return E(ue)}function _e(e,t){return"enum"==t?(k.marked="keyword",E(qe)):C(ve,se,xe,ke)}function ve(e,t){return c&&S(t)?(k.marked="keyword",E(ve)):"variable"==e?(T(t),E()):"spread"==e?E(ve):"["==e?ie(we,"]"):"{"==e?ie(ye,"}"):void 0}function ye(e,t){return"variable"!=e||k.stream.match(/^\s*:/,!1)?("variable"==e&&(k.marked="property"),"spread"==e?E(ve):"}"==e?C():"["==e?E(U,j("]"),j(":"),ye):E(j(":"),ve,xe)):(T(t),E(xe))}function we(){return C(ve,xe)}function xe(e,t){if("="==t)return E(W)}function ke(e){if(","==e)return E(_e)}function Ce(e,t){if("keyword b"==e&&"else"==t)return E(I("form","else"),N,F)}function Ee(e,t){return"await"==t?E(Ee):"("==e?E(I(")"),Oe,F):void 0}function Oe(e){return"var"==e?E(_e,Te):"variable"==e?E(Te):C(Te)}function Te(e,t){return")"==e?E():";"==e?E(Te):"in"==t||"of"==t?(k.marked="keyword",E(U,Te)):C(U,Te)}function Se(e,t){return"*"==t?(k.marked="keyword",E(Se)):"variable"==e?(T(t),E(Se)):"("==e?E(A,I(")"),oe(De,")"),F,le,N,L):c&&"<"==t?E(I(">"),oe(be,">"),F,Se):void 0}function Pe(e,t){return"*"==t?(k.marked="keyword",E(Pe)):"variable"==e?(T(t),E(Pe)):"("==e?E(A,I(")"),oe(De,")"),F,le,L):c&&"<"==t?E(I(">"),oe(be,">"),F,Pe):void 0}function Me(e,t){return"keyword"==e||"variable"==e?(k.marked="type",E(Me)):"<"==t?E(I(">"),oe(be,">"),F):void 0}function De(e,t){return"@"==t&&E(U,De),"spread"==e?E(De):c&&S(t)?(k.marked="keyword",E(De)):c&&"this"==e?E(se,xe):C(ve,se,xe)}function Ae(e,t){return"variable"==e?Re(e,t):Le(e,t)}function Re(e,t){if("variable"==e)return T(t),E(Le)}function Le(e,t){return"<"==t?E(I(">"),oe(be,">"),F,Le):"extends"==t||"implements"==t||c&&","==e?("implements"==t&&(k.marked="keyword"),E(c?ue:U,Le)):"{"==e?E(I("}"),Ie,F):void 0}function Ie(e,t){return"async"==e||"variable"==e&&("static"==t||"get"==t||"set"==t||c&&S(t))&&k.stream.match(/^\s+[\w$\xa1-\uffff]/,!1)?(k.marked="keyword",E(Ie)):"variable"==e||"keyword"==k.style?(k.marked="property",E(c?Fe:Se,Ie)):"number"==e||"string"==e?E(c?Fe:Se,Ie):"["==e?E(U,se,j("]"),c?Fe:Se,Ie):"*"==t?(k.marked="keyword",E(Ie)):c&&"("==e?C(Pe,Ie):";"==e||","==e?E(Ie):"}"==e?E():"@"==t?E(U,Ie):void 0}function Fe(e,t){if("?"==t)return E(Fe);if(":"==e)return E(ue,xe);if("="==t)return E(W);var n=k.state.lexical.prev,r=n&&"interface"==n.info;return C(r?Pe:Se)}function je(e,t){return"*"==t?(k.marked="keyword",E($e,j(";"))):"default"==t?(k.marked="keyword",E(U,j(";"))):"{"==e?E(oe(Ne,"}"),$e,j(";")):C(N)}function Ne(e,t){return"as"==t?(k.marked="keyword",E(j("variable"))):"variable"==e?C(W,Ne):void 0}function Be(e){return"string"==e?E():"("==e?C(U):C(Ue,We,$e)}function Ue(e,t){return"{"==e?ie(Ue,"}"):("variable"==e&&T(t),"*"==t&&(k.marked="keyword"),E(He))}function We(e){if(","==e)return E(Ue,We)}function He(e,t){if("as"==t)return k.marked="keyword",E(Ue)}function $e(e,t){if("from"==t)return k.marked="keyword",E(U)}function ze(e){return"]"==e?E():C(oe(W,"]"))}function qe(){return C(I("form"),ve,j("{"),I("}"),oe(Ke,"}"),F,F)}function Ke(){return C(ve,xe)}function Ge(e,t,n){return t.tokenize==m&&/^(?:operator|sof|keyword [bcd]|case|new|export|default|spread|[\[{}\(,;:]|=>)$/.test(t.lastType)||"quasi"==t.lastType&&/\{\s*$/.test(e.string.slice(0,e.pos-(n||0)))}return L.lex=!0,F.lex=!0,{startState:function(e){var t={tokenize:m,lastType:"sof",cc:[],lexical:new w((e||0)-i,0,"block",!1),localVars:n.localVars,context:n.localVars&&new P(null,null,!1),indented:e||0};return n.globalVars&&"object"==typeof n.globalVars&&(t.globalVars=n.globalVars),t},token:function(e,t){if(e.sol()&&(t.lexical.hasOwnProperty("align")||(t.lexical.align=!1),t.indented=e.indentation(),v(e,t)),t.tokenize!=b&&e.eatSpace())return null;var n=t.tokenize(e,t);return"comment"==r?n:(t.lastType="operator"!=r||"++"!=o&&"--"!=o?r:"incdec",function(e,t,n,r,o){var i=e.cc;for(k.state=e,k.stream=o,k.marked=null,k.cc=i,k.style=t,e.lexical.hasOwnProperty("align")||(e.lexical.align=!0);;){var a=i.length?i.pop():l?U:N;if(a(n,r)){for(;i.length&&i[i.length-1].lex;)i.pop()();return k.marked?k.marked:"variable"==n&&x(e,r)?"variable-2":t}}}(t,n,r,o,e))},indent:function(t,r){if(t.tokenize==b)return e.Pass;if(t.tokenize!=m)return 0;var o,s=r&&r.charAt(0),l=t.lexical;if(!/^\s*else\b/.test(r))for(var c=t.cc.length-1;c>=0;--c){var u=t.cc[c];if(u==F)l=l.prev;else if(u!=Ce)break}for(;("stat"==l.type||"form"==l.type)&&("}"==s||(o=t.cc[t.cc.length-1])&&(o==q||o==K)&&!/^[,\.=+\-*:?[\(]/.test(r));)l=l.prev;a&&")"==l.type&&"stat"==l.prev.type&&(l=l.prev);var p=l.type,f=s==p;return"vardef"==p?l.indented+("operator"==t.lastType||","==t.lastType?l.info.length+1:0):"form"==p&&"{"==s?l.indented:"form"==p?l.indented+i:"stat"==p?l.indented+(function(e,t){return"operator"==e.lastType||","==e.lastType||d.test(t.charAt(0))||/[,.]/.test(t.charAt(0))}(t,r)?a||i:0):"switch"!=l.info||f||0==n.doubleIndentSwitch?l.align?l.column+(f?0:1):l.indented+(f?0:i):l.indented+(/^(?:case|default)\b/.test(r)?i:2*i)},electricInput:/^\s*(?:case .*?:|default:|\{|\})$/,blockCommentStart:l?null:"/*",blockCommentEnd:l?null:"*/",blockCommentContinue:l?null:" * ",lineComment:l?null:"//",fold:"brace",closeBrackets:"()[]{}''\"\"``",helperType:l?"json":"javascript",jsonldMode:s,jsonMode:l,expressionAllowed:Ge,skipExpression:function(e){var t=e.cc[e.cc.length-1];t!=U&&t!=W||e.cc.pop()}}}),e.registerHelper("wordChars","javascript",/[\w$]/),e.defineMIME("text/javascript","javascript"),e.defineMIME("text/ecmascript","javascript"),e.defineMIME("application/javascript","javascript"),e.defineMIME("application/x-javascript","javascript"),e.defineMIME("application/ecmascript","javascript"),e.defineMIME("application/json",{name:"javascript",json:!0}),e.defineMIME("application/x-json",{name:"javascript",json:!0}),e.defineMIME("application/ld+json",{name:"javascript",jsonld:!0}),e.defineMIME("text/typescript",{name:"javascript",typescript:!0}),e.defineMIME("application/typescript",{name:"javascript",typescript:!0})}(n(1629))},1834:function(e,t,n){!function(e){function t(t,n,r){var o,i=t.getWrapperElement();return(o=i.appendChild(document.createElement("div"))).className=r?"CodeMirror-dialog CodeMirror-dialog-bottom":"CodeMirror-dialog CodeMirror-dialog-top","string"==typeof n?o.innerHTML=n:o.appendChild(n),e.addClass(i,"dialog-opened"),o}function n(e,t){e.state.currentNotificationClose&&e.state.currentNotificationClose(),e.state.currentNotificationClose=t}e.defineExtension("openDialog",function(r,o,i){i||(i={}),n(this,null);var a=t(this,r,i.bottom),s=!1,l=this;function c(t){if("string"==typeof t)p.value=t;else{if(s)return;s=!0,e.rmClass(a.parentNode,"dialog-opened"),a.parentNode.removeChild(a),l.focus(),i.onClose&&i.onClose(a)}}var u,p=a.getElementsByTagName("input")[0];return p?(p.focus(),i.value&&(p.value=i.value,!1!==i.selectValueOnOpen&&p.select()),i.onInput&&e.on(p,"input",function(e){i.onInput(e,p.value,c)}),i.onKeyUp&&e.on(p,"keyup",function(e){i.onKeyUp(e,p.value,c)}),e.on(p,"keydown",function(t){i&&i.onKeyDown&&i.onKeyDown(t,p.value,c)||((27==t.keyCode||!1!==i.closeOnEnter&&13==t.keyCode)&&(p.blur(),e.e_stop(t),c()),13==t.keyCode&&o(p.value,t))}),!1!==i.closeOnBlur&&e.on(p,"blur",c)):(u=a.getElementsByTagName("button")[0])&&(e.on(u,"click",function(){c(),l.focus()}),!1!==i.closeOnBlur&&e.on(u,"blur",c),u.focus()),c}),e.defineExtension("openConfirm",function(r,o,i){n(this,null);var a=t(this,r,i&&i.bottom),s=a.getElementsByTagName("button"),l=!1,c=this,u=1;function p(){l||(l=!0,e.rmClass(a.parentNode,"dialog-opened"),a.parentNode.removeChild(a),c.focus())}s[0].focus();for(var d=0;d<s.length;++d){var f=s[d];!function(t){e.on(f,"click",function(n){e.e_preventDefault(n),p(),t&&t(c)})}(o[d]),e.on(f,"blur",function(){--u,setTimeout(function(){u<=0&&p()},200)}),e.on(f,"focus",function(){++u})}}),e.defineExtension("openNotification",function(r,o){n(this,c);var i,a=t(this,r,o&&o.bottom),s=!1,l=o&&void 0!==o.duration?o.duration:5e3;function c(){s||(s=!0,clearTimeout(i),e.rmClass(a.parentNode,"dialog-opened"),a.parentNode.removeChild(a))}return e.on(a,"click",function(t){e.e_preventDefault(t),c()}),l&&(i=setTimeout(c,l)),c})}(n(1629))},1835:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.build_path=function(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:[],t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:"",n=e.join("/");return String().concat(n,"/",t).trim()},t.escape_spaces=function(e){return String(e).replace(/\s/g,"\\ ")},t.get_name=function(e){return String(e).split("/").pop()},t.get_extension=function(e){var t=e.indexOf(".");if(t<0)return"";if(0===t)return"";var n=e.split(".").slice(-2).join(".");return["tar.gz","tar.bz2"].indexOf(n)>=0?n:e.split(".").slice(-1)[0]}},1836:function(e,t,n){var r,o,i,a,s,l,c,u;e.exports=(r=n(1628),i=(o=r).lib,a=i.WordArray,s=i.Hasher,l=o.algo,c=[],u=l.SHA1=s.extend({_doReset:function(){this._hash=new a.init([1732584193,4023233417,2562383102,271733878,3285377520])},_doProcessBlock:function(e,t){for(var n=this._hash.words,r=n[0],o=n[1],i=n[2],a=n[3],s=n[4],l=0;l<80;l++){if(l<16)c[l]=0|e[t+l];else{var u=c[l-3]^c[l-8]^c[l-14]^c[l-16];c[l]=u<<1|u>>>31}var p=(r<<5|r>>>27)+s+c[l];p+=l<20?1518500249+(o&i|~o&a):l<40?1859775393+(o^i^a):l<60?(o&i|o&a|i&a)-1894007588:(o^i^a)-899497514,s=a,a=i,i=o<<30|o>>>2,o=r,r=p}n[0]=n[0]+r|0,n[1]=n[1]+o|0,n[2]=n[2]+i|0,n[3]=n[3]+a|0,n[4]=n[4]+s|0},_doFinalize:function(){var e=this._data,t=e.words,n=8*this._nDataBytes,r=8*e.sigBytes;return t[r>>>5]|=128<<24-r%32,t[14+(r+64>>>9<<4)]=Math.floor(n/4294967296),t[15+(r+64>>>9<<4)]=n,e.sigBytes=4*t.length,this._process(),this._hash},clone:function(){var e=s.clone.call(this);return e._hash=this._hash.clone(),e}}),o.SHA1=s._createHelper(u),o.HmacSHA1=s._createHmacHelper(u),r.SHA1)},1837:function(e,t,n){var r,o,i,a,s,l,c;e.exports=(r=n(1628),i=(o=r).lib,a=i.Base,s=o.enc,l=s.Utf8,c=o.algo,void(c.HMAC=a.extend({init:function(e,t){e=this._hasher=new e.init,"string"==typeof t&&(t=l.parse(t));var n=e.blockSize,r=4*n;t.sigBytes>r&&(t=e.finalize(t)),t.clamp();for(var o=this._oKey=t.clone(),i=this._iKey=t.clone(),a=o.words,s=i.words,c=0;c<n;c++)a[c]^=1549556828,s[c]^=909522486;o.sigBytes=i.sigBytes=r,this.reset()},reset:function(){var e=this._hasher;e.reset(),e.update(this._iKey)},update:function(e){return this._hasher.update(e),this},finalize:function(e){var t=this._hasher,n=t.finalize(e);t.reset();var r=t.finalize(this._oKey.clone().concat(n));return r}})))},1838:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=function(){function e(){this._didWarmUp=!1}return e.prototype.dispose=function(){},e.prototype.warmUp=function(){this._didWarmUp||(this._doWarmUp(),this._didWarmUp=!0)},e.prototype._doWarmUp=function(){},e.prototype.beginFrame=function(){},e}();t.default=r},1839:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=function(){function e(e,t){this._terminal=e,this._callback=t,this._animationFrame=null}return e.prototype.dispose=function(){this._animationFrame&&(window.cancelAnimationFrame(this._animationFrame),this._animationFrame=null)},e.prototype.refresh=function(e,t){var n=this;e=null!=e?e:0,t=null!=t?t:this._terminal.rows-1;var r=void 0!==this._rowStart&&null!==this._rowStart,o=void 0!==this._rowEnd&&null!==this._rowEnd;this._rowStart=r?Math.min(this._rowStart,e):e,this._rowEnd=o?Math.max(this._rowEnd,t):t,this._animationFrame||(this._animationFrame=window.requestAnimationFrame(function(){return n._innerRefresh()}))},e.prototype._innerRefresh=function(){this._rowStart=Math.max(this._rowStart,0),this._rowEnd=Math.min(this._rowEnd,this._terminal.rows-1),this._callback(this._rowStart,this._rowEnd),this._rowStart=null,this._rowEnd=null,this._animationFrame=null},e}();t.RenderDebouncer=r},1840:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.blankLine="Blank line",t.promptLabel="Terminal input",t.tooMuchOutput="Too much output to announce, navigate to rows manually to read"},1841:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.default=void 0;var r,o,i,a,s,l,c,u=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var n=arguments[t];for(var r in n)Object.prototype.hasOwnProperty.call(n,r)&&(e[r]=n[r])}return e},p=function(){function e(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}return function(t,n,r){return n&&e(t.prototype,n),r&&e(t,r),t}}(),d=O(n(1)),f=O(n(1645)),h=n(483),m=n(33),b=n(2015),g=O(b),_=n(1655),v=n(1675),y=O(n(3151)),w=O(n(1656)),x=n(1770),k=O(x),C=n(482),E=n(1664);function O(e){return e&&e.__esModule?e:{default:e}}function T(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}var S,P,M,D,A,R,L=(r=(0,f.default)(),o=(0,h.withReduxScope)(void 0,function(e,t){var n=t.scope;return{preview:function(t){return e((0,b.preview)(n,t))},onNewTerminal:function(){return e((0,_.createTerminal)(n))},onDestroyTerminal:function(){return e((0,_.destroyTerminal)(n))},onToggleGradingOverlay:function(){return e((0,E.toggle)(n))}}}),i=(0,C.debounce)(500),r(a=o((c=l=function(e){function t(){var e,n,r;!function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}(this,t);for(var o=arguments.length,i=Array(o),a=0;a<o;a++)i[a]=arguments[a];return n=r=T(this,(e=t.__proto__||Object.getPrototypeOf(t)).call.apply(e,[this].concat(i))),r.setRoot=function(e){var t=r.root;r.root=e,!t&&r.root&&r.forceUpdate()},T(r,n)}return function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}(t,d.default.Component),p(t,[{key:"componentWillMount",value:function(){this.server=new v.Server(this.props.server),this.managers={editor:new v.PanelManager,files:new v.PanelManager,terminal:new v.PanelManager,grading:new v.PanelManager}}},{key:"componentDidMount",value:function(){this.startProject(this.props.project)}},{key:"componentWillReceiveProps",value:function(e){this.props.project.isEqual(e.project)||this.startProject(e.project)}},{key:"componentWillUnmount",value:function(){this.props.cancel()}},{key:"startProject",value:function(e){var t=(0,b.makeSaga)(this.server,this.managers,e,{onBackupDownload:this.props.onBackupDownload,onBackupStatus:this.props.onBackupStatus,onLoadArchives:this.props.onLoadArchives,onChangePort:this.props.onChangePort,onChangeGPUMode:this.props.onChangeGPUMode,workspaceLocation:this.props.workspaceLocation,selectState:this.props.selectState,context:this.props.context,terminalApi:this.terminal.api(),lab:this.props.lab});this.props.supply({saga:t,scope:this.props.scope,initialState:b.initialState,reducer:g.default})}},{key:"openPreviewTab",value:function(){this.props.preview(this.props.scopedState.previewUrl)}},{key:"render",value:function(){var e=this,t=v.components.Editor,n=v.components.Files,r=v.components.Terminal,o=v.components.Layout,i=this.props.project.blueprint.conf,a=this.props,s=a.scopedState,l=a.onToggleFillsMonitorScreen,c=a.isFullScreenActive,p=s&&s.grade,f=d.default.createElement(t,{server:this.server,manager:this.managers.editor,filesManager:this.managers.files,allowClose:i.allowClose,saveOnClose:!0}),h=d.default.createElement(n,{server:this.server,manager:this.managers.files,editorManager:this.managers.editor}),b=d.default.createElement(r,{ref:function(t){return e.terminal=t},server:this.server,manager:this.managers.terminal,allowClose:i.allowClose,onNewTerminal:this.props.onNewTerminal,onDestroyTerminal:this.props.onDestroyTerminal}),g=d.default.createElement(k.default,{scope:this.props.scope,manager:this.managers.grading,grading:p,lab:this.props.lab,onToggle:this.props.onToggleGradingOverlay}),_=d.default.createElement(x.GradingPreview,{scope:this.props.scope,grading:p,onToggle:this.props.onToggleGradingOverlay}),y=p&&p.isOpen,C=this.props.lab&&!y;return d.default.createElement("div",{ref:this.setRoot,style:{height:c?"100%":"500px",position:"relative"}},d.default.createElement("div",{style:u({position:"relative",height:"calc(100% - 48px)"},this.props.styles),className:"scoped-bootstrap student-workspace "+(c?"":"inline attached")},d.default.createElement("div",{className:"theme_dark",style:{height:"100%"}},d.default.createElement(o,{layout:{override:!0,is_hidden:{files:!i.showFiles,terminal:y,grading:!y},maximized:"",layout:{type:"horizontal",parts:[{weight:1,key:"files",component:h},{weight:c?5:3,type:"vertical",parts:[{weight:1,key:"editor",component:f},{weight:1,key:"terminal",component:b},{weight:1,key:"grading",component:g}]}]}}}))),d.default.createElement(w.default,{actionButton:d.default.createElement(m.Button,{onClick:function(){return e.openPreviewTab()}},i.actionButtonText||"Preview"),allowBackups:!!this.props.onBackupStatus,allowGrade:!!this.props.lab,allowSubmit:i.allowSubmit,fullScreen:this.props.fullScreen,gpuCapable:this.props.gpuCapable,gpuConflictWith:this.props.gpuConflictWith,gpuSecondsRemaining:this.props.gpuSecondsRemaining,hasFilesPanel:i.showFiles,isFullScreenActive:c,isGPURunning:this.props.isGPURunning,leave:C?_:null,masterFilesUpdated:this.props.masterFilesUpdated,onGoToLessons:this.props.onGoToLessons,onNext:this.props.onNext,onReconnect:this.props.onReconnect,onResetFiles:this.props.onResetFiles,onSubmit:this.props.onSubmit,onToggleFillsMonitorScreen:l,parent:this.root,parentNode:this.props.parentNode,scope:this.props.scope,scopedState:s,starConnected:this.props.starConnected}))}}],[{key:"kind",value:function(){return"react"}},{key:"configurator",value:function(){return y.default}},{key:"features",value:function(){return{gpu:!0,labs:!0,submit:!0}}}]),t}(),l.displayName="blueprints/react",S=(s=c).prototype,P="startProject",M=[i],D=Object.getOwnPropertyDescriptor(s.prototype,"startProject"),A=s.prototype,R={},Object.keys(D).forEach(function(e){R[e]=D[e]}),R.enumerable=!!R.enumerable,R.configurable=!!R.configurable,("value"in R||R.initializer)&&(R.writable=!0),R=M.slice().reverse().reduce(function(e,t){return t(S,P,e)||e},R),A&&void 0!==R.initializer&&(R.value=R.initializer?R.initializer.call(A):void 0,R.initializer=void 0),void 0===R.initializer&&(Object.defineProperty(S,P,R),R=null),a=s))||a)||a);t.default=L},1842:function(e,t,n){"use strict";var r;Object.defineProperty(t,"__esModule",{value:!0}),t.initialState=void 0,t.getChangesSaved=function(e){return e},t.allChangesSaved=v,t.unsavedChanges=y,t.saga=w;var o,i=n(295),a=n(137),s=n(1635),l=n(3134),c=(o=l)&&o.__esModule?o:{default:o};var u=regeneratorRuntime.mark(w);function p(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}var d=["newFile:post","newFolder:post","copy:post","move:post","remove:post"],f="udacity/workspace/react/all-changes-saved",h="udacity/workspace/react/unsaved-changes",m="udacity/workspace/react/edit_started",b="udacity/workspace/react/save_started",g=t.initialState=!0,_=(0,s.createReducer)(g,(p(r={},f,function(){return!0}),p(r,h,function(){return!1}),r));function v(e){return{type:f,scope:e}}function y(e){return{type:h,scope:e}}function w(e){var t,n,r,o,s,l=e.editor,p=e.files,f=e.scope,h=e.saveDebounceWait,g=void 0===h?1e3:h,_=e.saveHook,w=void 0===_?function(){}:_,x=e.saveInterval,k=void 0===x?3e4:x,C=e.saveDelay,E=void 0===C?1e3:C,O=e.retrySpeed,T=void 0===O?E/5:O;return regeneratorRuntime.wrap(function(e){for(;;)switch(e.prev=e.next){case 0:return t=void 0,n=void 0,r=0,0,o=!0,e.prev=5,s=regeneratorRuntime.mark(function e(){var n;return regeneratorRuntime.wrap(function(e){for(;;)switch(e.prev=e.next){case 0:return n=r,e.prev=1,e.next=4,(0,a.call)(l.saveAllFiles);case 4:if(r!==n){e.next=12;break}return e.next=8,(0,a.put)(v(f));case 8:return e.next=10,(0,a.call)(w);case 10:e.next=16;break;case 12:return e.next=14,(0,i.delay)(T);case 14:return e.next=16,(0,a.call)(t);case 16:e.next=24;break;case 18:return e.prev=18,e.t0=e.catch(1),e.next=22,(0,i.delay)(T);case 22:return e.next=24,(0,a.call)(t);case 24:case"end":return e.stop()}},e,this,[[1,18]])}),o=(0,i.eventChannel)(function(e){return n=(0,c.default)(function(){r+=1,e({type:b})},g,{leading:!1,trailing:!0,maxWait:k}),t=function(){e({type:m}),n()},l.events().on("edit",t),d.forEach(function(e){return p.events().on(e,t)}),function(){l.events().removeListener("edit",t),d.forEach(function(e){return p.events().removeListener(e,t)})}},i.buffers.sliding(100)),e.next=10,(0,a.call)(i.takeLatest,o,regeneratorRuntime.mark(function e(t){return regeneratorRuntime.wrap(function(e){for(;;)switch(e.prev=e.next){case 0:return e.next=2,(0,a.put)(y(f));case 2:if(t.type!==b){e.next=7;break}return e.next=5,(0,i.delay)(E);case 5:return e.next=7,(0,a.call)(s);case 7:case"end":return e.stop()}},e,this)}));case 10:return e.prev=10,e.next=13,(0,a.cancelled)();case 13:if(!e.sent){e.next=16;break}return e.next=16,(0,a.call)(function(){return o.close()});case 16:return e.finish(10);case 17:case"end":return e.stop()}},u,this,[[5,,10,17]])}t.default=_},1843:function(e,t,n){e.exports={"control-panel":"configurator--control-panel--1HX9V",controls:"configurator--controls--vYrJB",control:"configurator--control--3Xx77",narrow:"configurator--narrow--2AREC"}},1985:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=n(2939);Object.defineProperty(t,"Provisioner",{enumerable:!0,get:function(){return C(r).default}});var o=n(1718);Object.defineProperty(t,"isEmptyArchivesError",{enumerable:!0,get:function(){return o.isEmptyArchivesError}});var i=n(483);Object.defineProperty(t,"reducer",{enumerable:!0,get:function(){return C(i).default}}),Object.defineProperty(t,"saga",{enumerable:!0,get:function(){return i.saga}}),Object.defineProperty(t,"getState",{enumerable:!0,get:function(){return i.getState}});var a=n(482);Object.defineProperty(t,"generateProvisionerId",{enumerable:!0,get:function(){return a.generateProvisionerId}}),Object.defineProperty(t,"generateViewId",{enumerable:!0,get:function(){return a.generateViewId}}),Object.defineProperty(t,"invalidNameError",{enumerable:!0,get:function(){return a.invalidNameError}});var s=n(1664);Object.defineProperty(t,"grade",{enumerable:!0,get:function(){return s.grade}});var l=n(1989);Object.defineProperty(t,"getLinkToMostRecentFiles",{enumerable:!0,get:function(){return l.getLinkToMostRecentFiles}}),Object.defineProperty(t,"getPools",{enumerable:!0,get:function(){return l.getPools}});var c=n(1749);Object.defineProperty(t,"LabStatus",{enumerable:!0,get:function(){return C(c).default}});var u=n(1841);Object.defineProperty(t,"ReactBlueprint",{enumerable:!0,get:function(){return C(u).default}});var p=n(1771);Object.defineProperty(t,"HtmlLiveBlueprint",{enumerable:!0,get:function(){return C(p).default}});var d=n(2022);Object.defineProperty(t,"ReplBlueprint",{enumerable:!0,get:function(){return C(d).default}});var f=n(2024);Object.defineProperty(t,"SQLEvaluatorBlueprint",{enumerable:!0,get:function(){return C(f).default}});var h=n(2025);Object.defineProperty(t,"JupyterBlueprint",{enumerable:!0,get:function(){return C(h).default}});var m=n(2026);Object.defineProperty(t,"JupyterLabBlueprint",{enumerable:!0,get:function(){return C(m).default}});var b=n(2027);Object.defineProperty(t,"GenericBlueprint",{enumerable:!0,get:function(){return C(b).default}});var g=n(2028);Object.defineProperty(t,"ReactLiveBlueprint",{enumerable:!0,get:function(){return C(g).default}});var _=n(2030);Object.defineProperty(t,"CustomIframeAppBlueprint",{enumerable:!0,get:function(){return C(_).default}});var v=n(2031);Object.defineProperty(t,"blueprints",{enumerable:!0,get:function(){return C(v).default}});var y=n(1645);Object.defineProperty(t,"blueprintFullScreenConstants",{enumerable:!0,get:function(){return y.fullScreenConstants}});var w=n(3189);Object.defineProperty(t,"Project",{enumerable:!0,get:function(){return C(w).default}});var x=n(1986);Object.defineProperty(t,"Workspace",{enumerable:!0,get:function(){return C(x).default}});var k=n(1987);function C(e){return e&&e.__esModule?e:{default:e}}Object.defineProperty(t,"WorkspaceEditor",{enumerable:!0,get:function(){return C(k).default}})},1986:function(e,t,n){"use strict";(function(e,r,o){Object.defineProperty(t,"__esModule",{value:!0}),t.default=void 0;var i,a,s,l=function(){function e(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}return function(t,n,r){return n&&e(t.prototype,n),r&&e(t,r),t}}(),c=p(n(0)),u=n(1645);function p(e){return e&&e.__esModule?e:{default:e}}var d=e(p(n(2944)).default)((s=a=function(e){function t(){return function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}(this,t),function(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}(this,(t.__proto__||Object.getPrototypeOf(t)).apply(this,arguments))}return function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}(t,r.Component),l(t,[{key:"render",value:function(){return this.props.project?r.createElement(this.props.project.blueprint.Blueprint,{conf:this.props.project.blueprint.conf,context:this.props.context,fullScreen:this.props.fullScreen,gpuCapable:this.props.gpuCapable,gpuConflictWith:this.props.gpuConflictWith,gpuSecondsRemaining:this.props.gpuSecondsRemaining,isEditor:!1,isGPURunning:this.props.isGPURunning,lab:this.props.lab,masterFilesUpdated:this.props.masterFilesUpdated,onBackupDownload:this.props.onBackupDownload,onBackupStatus:this.props.onBackupStatus,onChangeGPUMode:this.props.onChangeGPUMode,onChangePort:this.props.onChangePort,onGoToLessons:this.props.onGoToLessons,onLoadArchives:this.props.onLoadArchives,onNext:this.props.onNext,onReconnect:this.props.onReconnect,onResetFiles:this.props.onResetFiles,onSubmit:this.props.onSubmit,onToggleFullScreen:this.props.onToggleFullScreen,project:this.props.project,scope:this.props.scope,selectState:this.props.selectState,server:this.props.address,starConnected:this.props.starConnected,styles:this.props.styles,viewId:this.props.viewId,workspaceLocation:this.props.workspaceLocation}):r.createElement("h2",null,"No Project Specified!")}}]),t}(),a.propTypes={fullScreen:c.default.oneOf(o.values(u.fullScreenConstants)),onToggleFullScreen:c.default.func},i=s))||i;t.default=d}).call(this,n(5),n(1),n(4))},1987:function(e,t,n){"use strict";(function(e,r){Object.defineProperty(t,"__esModule",{value:!0}),t.default=void 0;var o,i,a,s=function(){function e(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}return function(t,n,r){return n&&e(t.prototype,n),r&&e(t,r),t}}(),l=c(n(0));function c(e){return e&&e.__esModule?e:{default:e}}var u=e(c(n(1988)).default)((a=i=function(e){function t(){return function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}(this,t),function(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}(this,(t.__proto__||Object.getPrototypeOf(t)).apply(this,arguments))}return function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}(t,r.Component),s(t,[{key:"render",value:function(){if(!this.props.project)return r.createElement("h2",null,"No Project Specified!");var e=this.props.project.blueprint,t=this.props.overlayMessage;return r.createElement("div",{styleName:"container"},r.createElement("div",{style:{position:"relative",marginTop:20}},r.createElement("div",{"data-test":"urws-overlay",style:{display:t?"flex":"none"},styleName:"overlay"},r.createElement("p",{styleName:"info"},t)),r.createElement(e.Blueprint,{context:this.props.context,fullScreen:this.props.fullScreen,gpuCapable:this.props.gpuCapable,gpuConflictWith:this.props.gpuConflictWith,gpuSecondsRemaining:this.props.gpuSecondsRemaining,isEditor:this.props.isEditor,isGPURunning:this.props.isGPURunning,lab:this.props.lab,masterFilesUpdated:this.props.masterFilesUpdated,onChangeGPUMode:this.props.onChangeGPUMode,onChangePort:this.props.onChangePort,onNext:this.props.onNext,onReconnect:this.props.onReconnect,onResetFiles:this.props.onResetFiles,onSubmit:this.props.onSubmit,project:this.props.project.setConf(e.Blueprint.configurator().editorConf(e.conf)),scope:this.props.scope,selectState:this.props.selectState,server:this.props.address,starConnected:this.props.starConnected,viewId:this.props.viewId,workspaceLocation:this.props.workspaceLocation})))}}]),t}(),i.propTypes={editorSettings:l.default.object,onChangeProjectConf:l.default.func,onChangeName:l.default.func.isRequired,mountFiles:l.default.func,workspaceName:l.default.string},o=a))||o;t.default=u}).call(this,n(5),n(1))},1988:function(e,t,n){e.exports={container:"workspace-editor--container--3nsm5",overlay:"workspace-editor--overlay--3qj2o",info:"workspace-editor--info--3PgQQ",nameLabel:"workspace-editor--nameLabel--3M2J1",nameInput:"workspace-editor--nameInput--psagX","error-message":"workspace-editor--error-message--1i7Fe",hidden:"workspace-editor--hidden--3OW-w"}},1989:function(e,t,n){"use strict";(function(e,r){Object.defineProperty(t,"__esModule",{value:!0}),t.poll=t.default=t.FLAGS=void 0;var o,i,a,s=function(){function t(e){this.value=e}function n(n){var r,o;function i(r,o){try{var s=n[r](o),l=s.value;l instanceof t?e.resolve(l.value).then(function(e){i("next",e)},function(e){i("throw",e)}):a(s.done?"return":"normal",s.value)}catch(e){a("throw",e)}}function a(e,t){switch(e){case"return":r.resolve({value:t,done:!0});break;case"throw":r.reject(t);break;default:r.resolve({value:t,done:!1})}(r=r.next)?i(r.key,r.arg):o=null}this._invoke=function(t,n){return new e(function(e,a){var s={key:t,arg:n,resolve:e,reject:a,next:null};o?o=o.next=s:(r=o=s,i(t,n))})},"function"!=typeof n.return&&(this.return=void 0)}return"function"==typeof Symbol&&Symbol.asyncIterator&&(n.prototype[Symbol.asyncIterator]=function(){return this}),n.prototype.next=function(e){return this._invoke("next",e)},n.prototype.throw=function(e){return this._invoke("throw",e)},n.prototype.return=function(e){return this._invoke("return",e)},{wrap:function(e){return function(){return new n(e.apply(this,arguments))}},await:function(e){return new t(e)}}}(),l=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var n=arguments[t];for(var r in n)Object.prototype.hasOwnProperty.call(n,r)&&(e[r]=n[r])}return e},c=function(){function e(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}return function(t,n,r){return n&&e(t.prototype,n),r&&e(t,r),t}}(),u=(o=s.wrap(regeneratorRuntime.mark(function t(n){var r,o;return regeneratorRuntime.wrap(function(t){for(;;)switch(t.prev=t.next){case 0:r=P();case 1:return t.next=4,s.await(S(n));case 4:return o=t.sent,t.next=7,o;case 7:return t.next=9,s.await(e.delay(r.next().value));case 9:t.next=1;break;case 11:case"end":return t.stop()}},t,this)})),function(e){return o.apply(this,arguments)}),p=t.poll=(i=regeneratorRuntime.mark(function e(t){var n,r,o,i,a,s,l,c,p,d,f=t.request,h=t.isValid,m=t.iterator,b=t.isCancelled,g=t.updateStar;return regeneratorRuntime.wrap(function(e){for(;;)switch(e.prev=e.next){case 0:m||(m=u(f)),h||(h=A),b||(b=function(){return null}),g||(g=function(){return null}),n={},r=!0,o=!1,i=void 0,e.prev=8,a=v(m);case 10:return e.next=12,a.next();case 12:return s=e.sent,r=s.done,e.next=16,s.value;case 16:if(l=e.sent,r){e.next=32;break}if(c=M(l,n),p=c.error,d=c.payload,!p){e.next=23;break}throw d;case 23:if(g(d),!h(d)){e.next=26;break}return e.abrupt("return",d);case 26:if(!b()){e.next=28;break}throw new Error("Polling request cancelled.");case 28:n=c;case 29:r=!0,e.next=10;break;case 32:e.next=38;break;case 34:e.prev=34,e.t0=e.catch(8),o=!0,i=e.t0;case 38:if(e.prev=38,e.prev=39,r||!a.return){e.next=43;break}return e.next=43,a.return();case 43:if(e.prev=43,!o){e.next=46;break}throw i;case 46:return e.finish(43);case 47:return e.finish(38);case 48:case"end":return e.stop()}},e,this,[[8,34,38,48],[39,,43,47]])}),a=function(){var t=i.apply(this,arguments);return new e(function(n,r){return function o(i,a){try{var s=t[i](a),l=s.value}catch(e){return void r(e)}if(!s.done)return e.resolve(l).then(function(e){o("next",e)},function(e){o("throw",e)});n(l)}("next")})},function(e){return a.apply(this,arguments)});t.createAction=M,t.provision=function(e){var t=e.token;return S({url:e.url+"/spacegate/v1/connect",type:"GET",headers:{"X-Spacegate-Auth":""+t},xhrFields:{withCredentials:!0}})},t.bounce=function(t){var n=t.url;return S({url:n+"/spacegate/v1/bounce",type:"GET",xhrFields:{withCredentials:!0}}).catch(function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{};if(418!==t.status)return e.reject(t);var r=window.location.href,o=r.split("bounced="),i=o.length>1&&o.pop();if(i){var a=(0,g.default)(Number(i)),s=Date.now()-a.valueOf();if(!(s>5*k)){var c=(0,g.default)(),u=(0,f.createWorkspaceError)(l({},t,{bounce:{timeAgo:c.fromNow(),dateTime:c.format("dddd, MMMM Do YYYY, h:mm:ss a"),url:n}}));return e.reject(u)}}var p=window.location.href.indexOf("?")>1?"&":"?",d="bounced="+Date.now(),h=encodeURIComponent(r+p+d),m=n+"/spacegate/v1/bounce?returnto="+h;window.location.href=m})},t.promote=R,t.getFileDate=L,t._getArchives=I,t._backupDownload=F,t._backupStatus=j,t.getLinkToMostRecentFiles=function(e){var t=e.nebulaUrl,n=e.key;return S(h.postReq({url:t+"/api/v1/files",data:T(n)})).then(function(e){var t=r.get(e,"archives[0]");if(!t)throw(0,f.createWorkspaceError)({emptyArchives:!0});var n=t.link;if(!n)throw(0,f.createWorkspaceError)("Most recent archive is missing a download link");return n})},t.getPools=function(e){var t=e.nebulaUrl;if(!t)throw new Error("Missing nebula url needed for getPools request");return S(h.getReq({url:t+"/api/v1/pools"}))};var d,f=n(1718),h=_(n(2946)),m=_(n(1990)),b=n(12),g=(d=b)&&d.__esModule?d:{default:d};function _(e){if(e&&e.__esModule)return e;var t={};if(null!=e)for(var n in e)Object.prototype.hasOwnProperty.call(e,n)&&(t[n]=e[n]);return t.default=e,t}function v(e){if("function"==typeof Symbol){if(Symbol.asyncIterator){var t=e[Symbol.asyncIterator];if(null!=t)return t.call(e)}if(Symbol.iterator)return e[Symbol.iterator]()}throw new TypeError("Object is not async iterable")}function y(e){if(Array.isArray(e)){for(var t=0,n=Array(e.length);t<e.length;t++)n[t]=e[t];return n}return Array.from(e)}var w=regeneratorRuntime.mark(P);var x="running",k=6e4,C="api/v2/stars",E=t.FLAGS={CPU:"cpu",GPU:"gpu",RESET:"reset",STAGING:"staging",UPDATE:"update",GRADABLE:"gradable"},O=function(){function t(){var n=this,o=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},i=o.connectionLost,a=o.isEditor,s=o.isCancelled,c=o.nebulaUrl,u=o.onStarResponse,d=o.poolId,m=o.provisionKey,b=o.provisionerId,g=o.reviewsUrl;!function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}(this,t),this.fetch=function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},r=t.flags,o=void 0===r?[]:r,i=t.masterFilesExpected;return function t(){var n=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},r=n.starId,o=n.isCancelled,i=n.flaggedReq,a=n.updateStar,s=n.firstTime,c=void 0===s||s;return S(i).then(M).then(function(n){var s=n.error,u=n.payload;if(s)throw u;var d=a(u),m=d.selfUrl,b=d.isTerminating,g=h.getReq({url:m});if(A(u))return u;if(b){var _=h.removeFlags([E.RESET],i);if(c)return D({request:g,isCancelled:o,updateStar:a}).catch(function(t){var n=(0,f.createWorkspaceError)(t);return(0,f.isResourceNotFoundError)(n)?e.resolve():e.reject(n)}).then(function(){return t({starId:r,isCancelled:o,flaggedReq:_,updateStar:a,firstTime:!1})});throw(0,f.createWorkspaceError)({message:"Retrying fetch failed to get a non-terminating machine: "+u.starId,provisioningError:!0})}return function(e){var t=e.request,n=e.isCancelled,r=e.updateStar;return p({request:t,isValid:A,isCancelled:n,updateStar:r}).catch(function(e){var t=(0,f.createWorkspaceError)(e);throw(0,f.isResourceNotFoundError)(t)&&(t=(0,f.createWorkspaceError)(l({},t,{provisioningError:!0}))),t})}({request:g,isCancelled:o,updateStar:a})}).catch(function(e){throw(0,f.createWorkspaceError)(e)})}({isCancelled:n.isCancelled,updateStar:n.updateStar,flaggedReq:h.addFlags(o,n.fetchReq)}).then(function(e){return i&&!e.masterFiles?n.promoteFiles():e})},this.getArchives=function(){return I({nebulaUrl:n.nebulaUrl,key:n.provisionKey})},this.backupDownload=function(e){return F({archive:e.archive,starUrl:e.starUrl})},this.backupStatus=function(e){return j({jobId:e.jobId,starUrl:e.starUrl})},this.delete=function(t){var r=t.url,o=t.starId,i=r||n.starsUrl+"/"+o,a=h.deleteReq({url:i}),s=h.getReq({url:i});return S(a).then(function(){return D({request:s,isCancelled:n.isCancelled,updateStar:n.updateStar})}).catch(function(t){var n=(0,f.createWorkspaceError)(t);return(0,f.isResourceNotFoundError)(n)?e.resolve():e.reject(n)})},this.keepAlive=function(){if(!n.selfUrl)throw new Error("Unable to keep star alive without a url.");return S(h.getReq({url:n.selfUrl})).then(M).then(function(e){var t=e.payload,r=e.error;if(n.notify(t,r),r)throw t;return t}).catch(function(e){var t=(0,f.createWorkspaceError)(e);throw(0,f.isResourceNotFoundError)(t)&&(n.selfUrl=null,n.notify(t,!0)),t})},this.meterForStar=function(){var e=n.metersUrl;if(!e)throw new Error("Could not find a link for this stars meter.");return S(h.getReq({url:e}))},this.getGPUMeter=function(){var e=n.nanodegreeId;return S(h.getReq({url:n.nebulaUrl+"/api/v1/meters",data:e?{nanodegreeId:e}:null})).then(function(e){var t=e.meters.filter(function(e){return"gpu"===e.meter}).pop(),n={secondsRemaining:null,starId:r.get(t,"starIds[0]")};return Object.assign(n,t)})},this.notify=function(e,t){t?n.connectionLost(e):n.onStarResponse(e)},this.disks=function(){var e=n.nebulaUrl+"/api/v1/disks";return S(h.getReq({url:e}))},this.updateStar=function(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{};return n.selfUrl=r.get(e,"links.self"),n.metersUrl=r.get(e,"links.meters"),n.promoteUrl=r.get(e,"links.promote"),n.starId=e.starId,n.notify(e),{selfUrl:n.selfUrl,isTerminating:e.terminating||"deleting"===e.state}},this.mountFiles=function(e){var t=n.selfUrl+"/mount";return S(h.postReq({url:t,data:e})).catch(function(t){throw t.mountFiles=e,(0,f.createWorkspaceError)(t)})},this.promoteFiles=function(){return R(n.promoteUrl).then(function(e){return function(e){var t=e.request,n=e.isCancelled,r=e.updateStar,o=e.newMasterFiles;if(!o)throw new Error("Unable to know when masterFiles updated without newMasterFiles");return p({request:t,isValid:function(e){var t=e.masterFiles;if(!t)return!1;if(t===o)return!0;var n=L(t),r=L(o);if(n>r)throw new Error("The expected masterFiles, "+o+",\n have been overwritten by the current masterFiles, "+t+".\n Is someone else editing the same workspace?")},isCancelled:n,updateStar:r})}({request:h.getReq({url:n.selfUrl}),isCancelled:n.isCancelled,updateStar:n.updateStar,newMasterFiles:e})})};var _=function(e){var t=e.provisionKey,n=e.provisionerId,r=e.poolId,o=e.isEditor?"coco":"enrollment",i=[];return t?l({check:o,flags:i},T(t)):{check:o,flags:i,workspaceId:n,poolId:r}}({provisionKey:m,provisionerId:b,poolId:d,isEditor:a});this.hasProvisionKey=!!m,this.provisionKey=m,this.isCancelled=s,this.nebulaUrl=c||"https://nebula.udacity.com",this.reviewsUrl=g||"https://review-api.udacity.com",this.onStarResponse=u,this.connectionLost=i,this.starsUrl=this.nebulaUrl+"/"+C,this.selfUrl=null,this.fetchReq=h.postReq({url:this.starsUrl,data:_}),this.nanodegreeId=m&&m.isDegree?m.rootId:null}return c(t,[{key:"submitForReview",value:function(e){return function(e){var t=e.rubricId,n=e.url,r=e.description,o=e.reviewsUrl;return S({url:n+"/spacegate/v1/submit",type:"POST",data:JSON.stringify({reviewsApi:o,jwt:m.getAuthToken(),rubricId:t,notes:r}),contentType:"application/json",xhrFields:{withCredentials:!0}}).then(function(){return null}).catch(function(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},t=e.responseText;if(!t)return e;try{return JSON.parse(t).error}catch(e){return t}})}({rubricId:e.rubricId,url:e.url,description:e.description,reviewsUrl:this.reviewsUrl})}}]),t}();function T(e){var t=e.atomId,n=e.rootId,r=e.isDegree;if(!0===r)return{atomId:t,nanodegreeId:n};if(!1===r)return{atomId:t,courseId:n};throw new TypeError("generateProvisionKey must receive a boolean isDegree, but received: "+r)}function S(e){return h.ajax(e)}function P(){return regeneratorRuntime.wrap(function(e){for(;;)switch(e.prev=e.next){case 0:return e.next=2,250;case 2:return e.next=4,500;case 4:return e.next=6,750;case 6:return e.next=8,1e3;case 8:return e.next=11,1500;case 11:e.next=8;break;case 13:case"end":return e.stop()}},w,this)}function M(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},n=r.cloneDeep(r.get(e,"star")),o=r.get(e,"star.starId"),i=r.get(t,"meta.stars");i=new Set(i),o&&i.add(o);var a={meta:{stars:i},payload:n,type:"workspaces-service/api/v2/stars"};if(!n)return a.error=!0,a.payload=(0,f.createWorkspaceError)(e),a;var s=n.links||[];return n.links=s.reduce(function(e,t){return e[t.rel]=t.href,e},{}),i.size>2?(a.error=!0,a.payload=(0,f.createWorkspaceError)(l({},e,{previousStars:[].concat(y(i))})),a):a}function D(e){var t=e.request,n=e.isCancelled,r=e.updateStar;return p({request:t,isValid:function(){return!1},isCancelled:n,updateStar:r})}function A(e){return e&&!e.terminating&&e.state===x}function R(e){return S(h.postReq({url:e})).then(function(e){if(e.success)return e.newMasterFiles;throw e}).catch(function(e){throw(0,f.createWorkspaceError)(e)})}function L(e){if("string"!=typeof e)return-1;var t=e.indexOf("-")+1,n=e.indexOf("."),r=Number(e.slice(t,n));return r>1?r:(console.error("Unable to extract date from: "+e),-1)}function I(e){var t=e.nebulaUrl,n=e.key;return S(h.postReq({url:t+"/api/v1/files",data:l({},T(n),{all:!0})})).then(function(e){if(!(r.get(e,"archives")||[]).length)throw(0,f.createWorkspaceError)({emptyArchives:!0});return e.archives}).catch(function(e){throw(0,f.createWorkspaceError)(e)})}function F(e){var t=e.starUrl,n=e.archive,r=n.name,o=n.link,i=n.size;if(!r||!o||!i)throw Error("Unable to load archive with missing info: "+r+", "+o+", "+i);return S({url:t+"/spacegate/v1/backups/",type:"POST",data:JSON.stringify({name:r,link:o,size:i}),contentType:"application/json",xhrFields:{withCredentials:!0}}).catch(function(e){throw e.backupError=!0,(0,f.createWorkspaceError)(e)})}function j(e){return S({url:e.starUrl+"/spacegate/v1/backups/"+(e.jobId||""),type:"GET",contentType:"application/json",xhrFields:{withCredentials:!0}}).catch(function(e){throw e.backupError=!0,(0,f.createWorkspaceError)(e)})}t.default=O}).call(this,n(10),n(4))},1990:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.getAuthToken=function(){return i.default.get(a)};var r,o=n(302),i=(r=o)&&r.__esModule?r:{default:r};var a="_jwt"},1991:function(e,t){e.exports=function(e){return"string"!=typeof e?e:(/^['"].*['"]$/.test(e)&&(e=e.slice(1,-1)),/["'() \t\n]/.test(e)?'"'+e.replace(/"/g,'\\"').replace(/\n/g,"\\n")+'"':e)}},1992:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r,o=n(123),i=(r=o)&&r.__esModule?r:{default:r};var a=window.navigator.userAgent.indexOf("Mac OS X")>=0;function s(){this.hotkeys={},this.specialKeys={8:"backspace",9:"tab",10:"return",13:"return",19:"pause",20:"capslock",27:"esc",32:"space",33:"pageup",34:"pagedown",35:"end",36:"home",37:"left",38:"up",39:"right",40:"down",45:"insert",46:"del",96:"0",97:"1",98:"2",99:"3",100:"4",101:"5",102:"6",103:"7",104:"8",105:"9",106:"*",107:"+",109:"-",110:".",111:"/",112:"f1",113:"f2",114:"f3",115:"f4",116:"f5",117:"f6",118:"f7",119:"f8",120:"f9",121:"f10",122:"f11",123:"f12",144:"numlock",145:"scroll",186:";",187:"=",188:",",189:"-",190:".",191:"/",192:"`",219:"[",220:"\\",221:"]",222:"'"},this.shiftNums={"`":"~",1:"!",2:"@",3:"#",4:"$",5:"%",6:"^",7:"&",8:"*",9:"(",0:")","-":"_","=":"+",";":":","'":'"',",":"<",".":">","/":"?","\\":"|"}}s.prototype.eventHash=function(e){var t="";return e.altKey&&(t+="alt+"),e.metaKey&&a&&(t+="cmd+"),e.ctrlKey&&(t+="ctrl+"),e.shiftKey&&(t+="shift+"),t+=this.specialKeys[e.which]||String.fromCharCode(e.which)},s.prototype.registerHotkeys=function(e,t,n){n||(n=this),void 0===e&&(e=[]),"string"==typeof e&&(e=[e]);for(var r=0;r<e.length;r++){for(var o=e[r],i=o.split("+"),a={alt:"alt",control:"ctrl",ctrl:"ctrl",cmd:"cmd",command:"cmd",shift:"shift"},s={},l=0;l<i.length-1;l++){var c=i[l].trim().toLowerCase();a[c]&&(s[a[c]]=!0)}o="",s.alt&&(o+="alt+"),s.cmd&&(o+="cmd+"),s.ctrl&&(o+="ctrl+"),s.shift&&(o+="shift+");var u=i[i.length-1].trim();1===u.length&&(u=u.toUpperCase()),o+=u,this.registerHotkey(o,t,n)}},s.prototype.registerHotkey=function(e,t,n){n||(n=this),this.hotkeys[e]=i.default.proxy(t,n)},s.prototype.registerHotkeyByEvent=function(e,t,n){n||(n=this),this.registerHotkey(this.eventHash(e),t,n)},s.prototype.unregisterAll=function(){this.hotkeys={}},s.prototype.handleEvent=function(e){var t=this.hotkeys[this.eventHash(e)];return!!t&&(t(),this.cancel(e),!0)},s.prototype.cancel=function(e){return e.preventDefault&&e.preventDefault(),e.returnValue=!1,e.stopPropagation&&e.stopPropagation(),e.cancelBubble=!0,!1};var l=new s;t.default={HotkeyManager:s,GlobalHotkeyManager:l}},1993:function(e,t,n){t.ottypes={},t.registerType=function(e){e.name&&(t.ottypes[e.name]=e),e.uri&&(t.ottypes[e.uri]=e)},t.registerType(n(2977).type),t.registerType(n(1995).type),t.registerType(n(1996).type),n(2983),n(2984)},1994:function(e,t){e.exports=function(e,t,n,r){var o=function(e,n,r,o){t(r,e,n,"left"),t(o,n,e,"right")},i=e.transformX=function(e,t){n(e),n(t);for(var a=[],s=0;s<t.length;s++){for(var l=t[s],c=[],u=0;u<e.length;){var p=[];if(o(e[u],l,c,p),u++,1!==p.length){if(0===p.length){for(var d=u;d<e.length;d++)r(c,e[d]);l=null;break}for(var f=i(e.slice(u),p),h=0;h<f[0].length;h++)r(c,f[0][h]);for(var m=0;m<f[1].length;m++)r(a,f[1][m]);l=null;break}l=p[0]}null!=l&&r(a,l),e=c}return[e,a]};e.transform=function(e,n,r){if("left"!==r&&"right"!==r)throw new Error("type must be 'left' or 'right'");return 0===n.length?e:1===e.length&&1===n.length?t([],e[0],n[0],r):"left"===r?i(e,n)[0]:i(n,e)[1]}}},1995:function(e,t,n){var r=n(2980);r.api=n(2981),e.exports={type:r}},1996:function(e,t,n){e.exports={type:n(2982)}},1997:function(e,t,n){!function(e){"use strict";function t(e){for(var t={},n=0;n<e.length;++n)t[e[n].toLowerCase()]=!0;return t}e.defineMode("css",function(t,n){var r=n.inline;n.propertyKeywords||(n=e.resolveMode("text/css"));var o,i,a=t.indentUnit,s=n.tokenHooks,l=n.documentTypes||{},c=n.mediaTypes||{},u=n.mediaFeatures||{},p=n.mediaValueKeywords||{},d=n.propertyKeywords||{},f=n.nonStandardPropertyKeywords||{},h=n.fontProperties||{},m=n.counterDescriptors||{},b=n.colorKeywords||{},g=n.valueKeywords||{},_=n.allowNested,v=n.lineComment,y=!0===n.supportsAtComponent;function w(e,t){return o=t,e}function x(e){return function(t,n){for(var r,o=!1;null!=(r=t.next());){if(r==e&&!o){")"==e&&t.backUp(1);break}o=!o&&"\\"==r}return(r==e||!o&&")"!=e)&&(n.tokenize=null),w("string","string")}}function k(e,t){return e.next(),e.match(/\s*[\"\')]/,!1)?t.tokenize=null:t.tokenize=x(")"),w(null,"(")}function C(e,t,n){this.type=e,this.indent=t,this.prev=n}function E(e,t,n,r){return e.context=new C(n,t.indentation()+(!1===r?0:a),e.context),n}function O(e){return e.context.prev&&(e.context=e.context.prev),e.context.type}function T(e,t,n){return M[n.context.type](e,t,n)}function S(e,t,n,r){for(var o=r||1;o>0;o--)n.context=n.context.prev;return T(e,t,n)}function P(e){var t=e.current().toLowerCase();i=g.hasOwnProperty(t)?"atom":b.hasOwnProperty(t)?"keyword":"variable"}var M={top:function(e,t,n){if("{"==e)return E(n,t,"block");if("}"==e&&n.context.prev)return O(n);if(y&&/@component/i.test(e))return E(n,t,"atComponentBlock");if(/^@(-moz-)?document$/i.test(e))return E(n,t,"documentTypes");if(/^@(media|supports|(-moz-)?document|import)$/i.test(e))return E(n,t,"atBlock");if(/^@(font-face|counter-style)/i.test(e))return n.stateArg=e,"restricted_atBlock_before";if(/^@(-(moz|ms|o|webkit)-)?keyframes$/i.test(e))return"keyframes";if(e&&"@"==e.charAt(0))return E(n,t,"at");if("hash"==e)i="builtin";else if("word"==e)i="tag";else{if("variable-definition"==e)return"maybeprop";if("interpolation"==e)return E(n,t,"interpolation");if(":"==e)return"pseudo";if(_&&"("==e)return E(n,t,"parens")}return n.context.type},block:function(e,t,n){if("word"==e){var r=t.current().toLowerCase();return d.hasOwnProperty(r)?(i="property","maybeprop"):f.hasOwnProperty(r)?(i="string-2","maybeprop"):_?(i=t.match(/^\s*:(?:\s|$)/,!1)?"property":"tag","block"):(i+=" error","maybeprop")}return"meta"==e?"block":_||"hash"!=e&&"qualifier"!=e?M.top(e,t,n):(i="error","block")},maybeprop:function(e,t,n){return":"==e?E(n,t,"prop"):T(e,t,n)},prop:function(e,t,n){if(";"==e)return O(n);if("{"==e&&_)return E(n,t,"propBlock");if("}"==e||"{"==e)return S(e,t,n);if("("==e)return E(n,t,"parens");if("hash"!=e||/^#([0-9a-fA-f]{3,4}|[0-9a-fA-f]{6}|[0-9a-fA-f]{8})$/.test(t.current())){if("word"==e)P(t);else if("interpolation"==e)return E(n,t,"interpolation")}else i+=" error";return"prop"},propBlock:function(e,t,n){return"}"==e?O(n):"word"==e?(i="property","maybeprop"):n.context.type},parens:function(e,t,n){return"{"==e||"}"==e?S(e,t,n):")"==e?O(n):"("==e?E(n,t,"parens"):"interpolation"==e?E(n,t,"interpolation"):("word"==e&&P(t),"parens")},pseudo:function(e,t,n){return"meta"==e?"pseudo":"word"==e?(i="variable-3",n.context.type):T(e,t,n)},documentTypes:function(e,t,n){return"word"==e&&l.hasOwnProperty(t.current())?(i="tag",n.context.type):M.atBlock(e,t,n)},atBlock:function(e,t,n){if("("==e)return E(n,t,"atBlock_parens");if("}"==e||";"==e)return S(e,t,n);if("{"==e)return O(n)&&E(n,t,_?"block":"top");if("interpolation"==e)return E(n,t,"interpolation");if("word"==e){var r=t.current().toLowerCase();i="only"==r||"not"==r||"and"==r||"or"==r?"keyword":c.hasOwnProperty(r)?"attribute":u.hasOwnProperty(r)?"property":p.hasOwnProperty(r)?"keyword":d.hasOwnProperty(r)?"property":f.hasOwnProperty(r)?"string-2":g.hasOwnProperty(r)?"atom":b.hasOwnProperty(r)?"keyword":"error"}return n.context.type},atComponentBlock:function(e,t,n){return"}"==e?S(e,t,n):"{"==e?O(n)&&E(n,t,_?"block":"top",!1):("word"==e&&(i="error"),n.context.type)},atBlock_parens:function(e,t,n){return")"==e?O(n):"{"==e||"}"==e?S(e,t,n,2):M.atBlock(e,t,n)},restricted_atBlock_before:function(e,t,n){return"{"==e?E(n,t,"restricted_atBlock"):"word"==e&&"@counter-style"==n.stateArg?(i="variable","restricted_atBlock_before"):T(e,t,n)},restricted_atBlock:function(e,t,n){return"}"==e?(n.stateArg=null,O(n)):"word"==e?(i="@font-face"==n.stateArg&&!h.hasOwnProperty(t.current().toLowerCase())||"@counter-style"==n.stateArg&&!m.hasOwnProperty(t.current().toLowerCase())?"error":"property","maybeprop"):"restricted_atBlock"},keyframes:function(e,t,n){return"word"==e?(i="variable","keyframes"):"{"==e?E(n,t,"top"):T(e,t,n)},at:function(e,t,n){return";"==e?O(n):"{"==e||"}"==e?S(e,t,n):("word"==e?i="tag":"hash"==e&&(i="builtin"),"at")},interpolation:function(e,t,n){return"}"==e?O(n):"{"==e||";"==e?S(e,t,n):("word"==e?i="variable":"variable"!=e&&"("!=e&&")"!=e&&(i="error"),"interpolation")}};return{startState:function(e){return{tokenize:null,state:r?"block":"top",stateArg:null,context:new C(r?"block":"top",e||0,null)}},token:function(e,t){if(!t.tokenize&&e.eatSpace())return null;var n=(t.tokenize||function(e,t){var n=e.next();if(s[n]){var r=s[n](e,t);if(!1!==r)return r}return"@"==n?(e.eatWhile(/[\w\\\-]/),w("def",e.current())):"="==n||("~"==n||"|"==n)&&e.eat("=")?w(null,"compare"):'"'==n||"'"==n?(t.tokenize=x(n),t.tokenize(e,t)):"#"==n?(e.eatWhile(/[\w\\\-]/),w("atom","hash")):"!"==n?(e.match(/^\s*\w*/),w("keyword","important")):/\d/.test(n)||"."==n&&e.eat(/\d/)?(e.eatWhile(/[\w.%]/),w("number","unit")):"-"!==n?/[,+>*\/]/.test(n)?w(null,"select-op"):"."==n&&e.match(/^-?[_a-z][_a-z0-9-]*/i)?w("qualifier","qualifier"):/[:;{}\[\]\(\)]/.test(n)?w(null,n):e.match(/[\w-.]+(?=\()/)?(/^(url(-prefix)?|domain|regexp)$/.test(e.current().toLowerCase())&&(t.tokenize=k),w("variable callee","variable")):/[\w\\\-]/.test(n)?(e.eatWhile(/[\w\\\-]/),w("property","word")):w(null,null):/[\d.]/.test(e.peek())?(e.eatWhile(/[\w.%]/),w("number","unit")):e.match(/^-[\w\\\-]*/)?(e.eatWhile(/[\w\\\-]/),e.match(/^\s*:/,!1)?w("variable-2","variable-definition"):w("variable-2","variable")):e.match(/^\w+-/)?w("meta","meta"):void 0})(e,t);return n&&"object"==typeof n&&(o=n[1],n=n[0]),i=n,"comment"!=o&&(t.state=M[t.state](o,e,t)),i},indent:function(e,t){var n=e.context,r=t&&t.charAt(0),o=n.indent;return"prop"!=n.type||"}"!=r&&")"!=r||(n=n.prev),n.prev&&("}"!=r||"block"!=n.type&&"top"!=n.type&&"interpolation"!=n.type&&"restricted_atBlock"!=n.type?(")"!=r||"parens"!=n.type&&"atBlock_parens"!=n.type)&&("{"!=r||"at"!=n.type&&"atBlock"!=n.type)||(o=Math.max(0,n.indent-a)):(n=n.prev,o=n.indent)),o},electricChars:"}",blockCommentStart:"/*",blockCommentEnd:"*/",blockCommentContinue:" * ",lineComment:v,fold:"brace"}});var n=["domain","regexp","url","url-prefix"],r=t(n),o=["all","aural","braille","handheld","print","projection","screen","tty","tv","embossed"],i=t(o),a=["width","min-width","max-width","height","min-height","max-height","device-width","min-device-width","max-device-width","device-height","min-device-height","max-device-height","aspect-ratio","min-aspect-ratio","max-aspect-ratio","device-aspect-ratio","min-device-aspect-ratio","max-device-aspect-ratio","color","min-color","max-color","color-index","min-color-index","max-color-index","monochrome","min-monochrome","max-monochrome","resolution","min-resolution","max-resolution","scan","grid","orientation","device-pixel-ratio","min-device-pixel-ratio","max-device-pixel-ratio","pointer","any-pointer","hover","any-hover"],s=t(a),l=["landscape","portrait","none","coarse","fine","on-demand","hover","interlace","progressive"],c=t(l),u=["align-content","align-items","align-self","alignment-adjust","alignment-baseline","anchor-point","animation","animation-delay","animation-direction","animation-duration","animation-fill-mode","animation-iteration-count","animation-name","animation-play-state","animation-timing-function","appearance","azimuth","backface-visibility","background","background-attachment","background-blend-mode","background-clip","background-color","background-image","background-origin","background-position","background-repeat","background-size","baseline-shift","binding","bleed","bookmark-label","bookmark-level","bookmark-state","bookmark-target","border","border-bottom","border-bottom-color","border-bottom-left-radius","border-bottom-right-radius","border-bottom-style","border-bottom-width","border-collapse","border-color","border-image","border-image-outset","border-image-repeat","border-image-slice","border-image-source","border-image-width","border-left","border-left-color","border-left-style","border-left-width","border-radius","border-right","border-right-color","border-right-style","border-right-width","border-spacing","border-style","border-top","border-top-color","border-top-left-radius","border-top-right-radius","border-top-style","border-top-width","border-width","bottom","box-decoration-break","box-shadow","box-sizing","break-after","break-before","break-inside","caption-side","caret-color","clear","clip","color","color-profile","column-count","column-fill","column-gap","column-rule","column-rule-color","column-rule-style","column-rule-width","column-span","column-width","columns","content","counter-increment","counter-reset","crop","cue","cue-after","cue-before","cursor","direction","display","dominant-baseline","drop-initial-after-adjust","drop-initial-after-align","drop-initial-before-adjust","drop-initial-before-align","drop-initial-size","drop-initial-value","elevation","empty-cells","fit","fit-position","flex","flex-basis","flex-direction","flex-flow","flex-grow","flex-shrink","flex-wrap","float","float-offset","flow-from","flow-into","font","font-feature-settings","font-family","font-kerning","font-language-override","font-size","font-size-adjust","font-stretch","font-style","font-synthesis","font-variant","font-variant-alternates","font-variant-caps","font-variant-east-asian","font-variant-ligatures","font-variant-numeric","font-variant-position","font-weight","grid","grid-area","grid-auto-columns","grid-auto-flow","grid-auto-rows","grid-column","grid-column-end","grid-column-gap","grid-column-start","grid-gap","grid-row","grid-row-end","grid-row-gap","grid-row-start","grid-template","grid-template-areas","grid-template-columns","grid-template-rows","hanging-punctuation","height","hyphens","icon","image-orientation","image-rendering","image-resolution","inline-box-align","justify-content","justify-items","justify-self","left","letter-spacing","line-break","line-height","line-stacking","line-stacking-ruby","line-stacking-shift","line-stacking-strategy","list-style","list-style-image","list-style-position","list-style-type","margin","margin-bottom","margin-left","margin-right","margin-top","marks","marquee-direction","marquee-loop","marquee-play-count","marquee-speed","marquee-style","max-height","max-width","min-height","min-width","mix-blend-mode","move-to","nav-down","nav-index","nav-left","nav-right","nav-up","object-fit","object-position","opacity","order","orphans","outline","outline-color","outline-offset","outline-style","outline-width","overflow","overflow-style","overflow-wrap","overflow-x","overflow-y","padding","padding-bottom","padding-left","padding-right","padding-top","page","page-break-after","page-break-before","page-break-inside","page-policy","pause","pause-after","pause-before","perspective","perspective-origin","pitch","pitch-range","place-content","place-items","place-self","play-during","position","presentation-level","punctuation-trim","quotes","region-break-after","region-break-before","region-break-inside","region-fragment","rendering-intent","resize","rest","rest-after","rest-before","richness","right","rotation","rotation-point","ruby-align","ruby-overhang","ruby-position","ruby-span","shape-image-threshold","shape-inside","shape-margin","shape-outside","size","speak","speak-as","speak-header","speak-numeral","speak-punctuation","speech-rate","stress","string-set","tab-size","table-layout","target","target-name","target-new","target-position","text-align","text-align-last","text-decoration","text-decoration-color","text-decoration-line","text-decoration-skip","text-decoration-style","text-emphasis","text-emphasis-color","text-emphasis-position","text-emphasis-style","text-height","text-indent","text-justify","text-outline","text-overflow","text-shadow","text-size-adjust","text-space-collapse","text-transform","text-underline-position","text-wrap","top","transform","transform-origin","transform-style","transition","transition-delay","transition-duration","transition-property","transition-timing-function","unicode-bidi","user-select","vertical-align","visibility","voice-balance","voice-duration","voice-family","voice-pitch","voice-range","voice-rate","voice-stress","voice-volume","volume","white-space","widows","width","will-change","word-break","word-spacing","word-wrap","z-index","clip-path","clip-rule","mask","enable-background","filter","flood-color","flood-opacity","lighting-color","stop-color","stop-opacity","pointer-events","color-interpolation","color-interpolation-filters","color-rendering","fill","fill-opacity","fill-rule","image-rendering","marker","marker-end","marker-mid","marker-start","shape-rendering","stroke","stroke-dasharray","stroke-dashoffset","stroke-linecap","stroke-linejoin","stroke-miterlimit","stroke-opacity","stroke-width","text-rendering","baseline-shift","dominant-baseline","glyph-orientation-horizontal","glyph-orientation-vertical","text-anchor","writing-mode"],p=t(u),d=["scrollbar-arrow-color","scrollbar-base-color","scrollbar-dark-shadow-color","scrollbar-face-color","scrollbar-highlight-color","scrollbar-shadow-color","scrollbar-3d-light-color","scrollbar-track-color","shape-inside","searchfield-cancel-button","searchfield-decoration","searchfield-results-button","searchfield-results-decoration","zoom"],f=t(d),h=t(["font-family","src","unicode-range","font-variant","font-feature-settings","font-stretch","font-weight","font-style"]),m=t(["additive-symbols","fallback","negative","pad","prefix","range","speak-as","suffix","symbols","system"]),b=["aliceblue","antiquewhite","aqua","aquamarine","azure","beige","bisque","black","blanchedalmond","blue","blueviolet","brown","burlywood","cadetblue","chartreuse","chocolate","coral","cornflowerblue","cornsilk","crimson","cyan","darkblue","darkcyan","darkgoldenrod","darkgray","darkgreen","darkkhaki","darkmagenta","darkolivegreen","darkorange","darkorchid","darkred","darksalmon","darkseagreen","darkslateblue","darkslategray","darkturquoise","darkviolet","deeppink","deepskyblue","dimgray","dodgerblue","firebrick","floralwhite","forestgreen","fuchsia","gainsboro","ghostwhite","gold","goldenrod","gray","grey","green","greenyellow","honeydew","hotpink","indianred","indigo","ivory","khaki","lavender","lavenderblush","lawngreen","lemonchiffon","lightblue","lightcoral","lightcyan","lightgoldenrodyellow","lightgray","lightgreen","lightpink","lightsalmon","lightseagreen","lightskyblue","lightslategray","lightsteelblue","lightyellow","lime","limegreen","linen","magenta","maroon","mediumaquamarine","mediumblue","mediumorchid","mediumpurple","mediumseagreen","mediumslateblue","mediumspringgreen","mediumturquoise","mediumvioletred","midnightblue","mintcream","mistyrose","moccasin","navajowhite","navy","oldlace","olive","olivedrab","orange","orangered","orchid","palegoldenrod","palegreen","paleturquoise","palevioletred","papayawhip","peachpuff","peru","pink","plum","powderblue","purple","rebeccapurple","red","rosybrown","royalblue","saddlebrown","salmon","sandybrown","seagreen","seashell","sienna","silver","skyblue","slateblue","slategray","snow","springgreen","steelblue","tan","teal","thistle","tomato","turquoise","violet","wheat","white","whitesmoke","yellow","yellowgreen"],g=t(b),_=["above","absolute","activeborder","additive","activecaption","afar","after-white-space","ahead","alias","all","all-scroll","alphabetic","alternate","always","amharic","amharic-abegede","antialiased","appworkspace","arabic-indic","armenian","asterisks","attr","auto","auto-flow","avoid","avoid-column","avoid-page","avoid-region","background","backwards","baseline","below","bidi-override","binary","bengali","blink","block","block-axis","bold","bolder","border","border-box","both","bottom","break","break-all","break-word","bullets","button","button-bevel","buttonface","buttonhighlight","buttonshadow","buttontext","calc","cambodian","capitalize","caps-lock-indicator","caption","captiontext","caret","cell","center","checkbox","circle","cjk-decimal","cjk-earthly-branch","cjk-heavenly-stem","cjk-ideographic","clear","clip","close-quote","col-resize","collapse","color","color-burn","color-dodge","column","column-reverse","compact","condensed","contain","content","contents","content-box","context-menu","continuous","copy","counter","counters","cover","crop","cross","crosshair","currentcolor","cursive","cyclic","darken","dashed","decimal","decimal-leading-zero","default","default-button","dense","destination-atop","destination-in","destination-out","destination-over","devanagari","difference","disc","discard","disclosure-closed","disclosure-open","document","dot-dash","dot-dot-dash","dotted","double","down","e-resize","ease","ease-in","ease-in-out","ease-out","element","ellipse","ellipsis","embed","end","ethiopic","ethiopic-abegede","ethiopic-abegede-am-et","ethiopic-abegede-gez","ethiopic-abegede-ti-er","ethiopic-abegede-ti-et","ethiopic-halehame-aa-er","ethiopic-halehame-aa-et","ethiopic-halehame-am-et","ethiopic-halehame-gez","ethiopic-halehame-om-et","ethiopic-halehame-sid-et","ethiopic-halehame-so-et","ethiopic-halehame-ti-er","ethiopic-halehame-ti-et","ethiopic-halehame-tig","ethiopic-numeric","ew-resize","exclusion","expanded","extends","extra-condensed","extra-expanded","fantasy","fast","fill","fixed","flat","flex","flex-end","flex-start","footnotes","forwards","from","geometricPrecision","georgian","graytext","grid","groove","gujarati","gurmukhi","hand","hangul","hangul-consonant","hard-light","hebrew","help","hidden","hide","higher","highlight","highlighttext","hiragana","hiragana-iroha","horizontal","hsl","hsla","hue","icon","ignore","inactiveborder","inactivecaption","inactivecaptiontext","infinite","infobackground","infotext","inherit","initial","inline","inline-axis","inline-block","inline-flex","inline-grid","inline-table","inset","inside","intrinsic","invert","italic","japanese-formal","japanese-informal","justify","kannada","katakana","katakana-iroha","keep-all","khmer","korean-hangul-formal","korean-hanja-formal","korean-hanja-informal","landscape","lao","large","larger","left","level","lighter","lighten","line-through","linear","linear-gradient","lines","list-item","listbox","listitem","local","logical","loud","lower","lower-alpha","lower-armenian","lower-greek","lower-hexadecimal","lower-latin","lower-norwegian","lower-roman","lowercase","ltr","luminosity","malayalam","match","matrix","matrix3d","media-controls-background","media-current-time-display","media-fullscreen-button","media-mute-button","media-play-button","media-return-to-realtime-button","media-rewind-button","media-seek-back-button","media-seek-forward-button","media-slider","media-sliderthumb","media-time-remaining-display","media-volume-slider","media-volume-slider-container","media-volume-sliderthumb","medium","menu","menulist","menulist-button","menulist-text","menulist-textfield","menutext","message-box","middle","min-intrinsic","mix","mongolian","monospace","move","multiple","multiply","myanmar","n-resize","narrower","ne-resize","nesw-resize","no-close-quote","no-drop","no-open-quote","no-repeat","none","normal","not-allowed","nowrap","ns-resize","numbers","numeric","nw-resize","nwse-resize","oblique","octal","opacity","open-quote","optimizeLegibility","optimizeSpeed","oriya","oromo","outset","outside","outside-shape","overlay","overline","padding","padding-box","painted","page","paused","persian","perspective","plus-darker","plus-lighter","pointer","polygon","portrait","pre","pre-line","pre-wrap","preserve-3d","progress","push-button","radial-gradient","radio","read-only","read-write","read-write-plaintext-only","rectangle","region","relative","repeat","repeating-linear-gradient","repeating-radial-gradient","repeat-x","repeat-y","reset","reverse","rgb","rgba","ridge","right","rotate","rotate3d","rotateX","rotateY","rotateZ","round","row","row-resize","row-reverse","rtl","run-in","running","s-resize","sans-serif","saturation","scale","scale3d","scaleX","scaleY","scaleZ","screen","scroll","scrollbar","scroll-position","se-resize","searchfield","searchfield-cancel-button","searchfield-decoration","searchfield-results-button","searchfield-results-decoration","self-start","self-end","semi-condensed","semi-expanded","separate","serif","show","sidama","simp-chinese-formal","simp-chinese-informal","single","skew","skewX","skewY","skip-white-space","slide","slider-horizontal","slider-vertical","sliderthumb-horizontal","sliderthumb-vertical","slow","small","small-caps","small-caption","smaller","soft-light","solid","somali","source-atop","source-in","source-out","source-over","space","space-around","space-between","space-evenly","spell-out","square","square-button","start","static","status-bar","stretch","stroke","sub","subpixel-antialiased","super","sw-resize","symbolic","symbols","system-ui","table","table-caption","table-cell","table-column","table-column-group","table-footer-group","table-header-group","table-row","table-row-group","tamil","telugu","text","text-bottom","text-top","textarea","textfield","thai","thick","thin","threeddarkshadow","threedface","threedhighlight","threedlightshadow","threedshadow","tibetan","tigre","tigrinya-er","tigrinya-er-abegede","tigrinya-et","tigrinya-et-abegede","to","top","trad-chinese-formal","trad-chinese-informal","transform","translate","translate3d","translateX","translateY","translateZ","transparent","ultra-condensed","ultra-expanded","underline","unset","up","upper-alpha","upper-armenian","upper-greek","upper-hexadecimal","upper-latin","upper-norwegian","upper-roman","uppercase","urdu","url","var","vertical","vertical-text","visible","visibleFill","visiblePainted","visibleStroke","visual","w-resize","wait","wave","wider","window","windowframe","windowtext","words","wrap","wrap-reverse","x-large","x-small","xor","xx-large","xx-small"],v=t(_),y=n.concat(o).concat(a).concat(l).concat(u).concat(d).concat(b).concat(_);function w(e,t){for(var n,r=!1;null!=(n=e.next());){if(r&&"/"==n){t.tokenize=null;break}r="*"==n}return["comment","comment"]}e.registerHelper("hintWords","css",y),e.defineMIME("text/css",{documentTypes:r,mediaTypes:i,mediaFeatures:s,mediaValueKeywords:c,propertyKeywords:p,nonStandardPropertyKeywords:f,fontProperties:h,counterDescriptors:m,colorKeywords:g,valueKeywords:v,tokenHooks:{"/":function(e,t){return!!e.eat("*")&&(t.tokenize=w,w(e,t))}},name:"css"}),e.defineMIME("text/x-scss",{mediaTypes:i,mediaFeatures:s,mediaValueKeywords:c,propertyKeywords:p,nonStandardPropertyKeywords:f,colorKeywords:g,valueKeywords:v,fontProperties:h,allowNested:!0,lineComment:"//",tokenHooks:{"/":function(e,t){return e.eat("/")?(e.skipToEnd(),["comment","comment"]):e.eat("*")?(t.tokenize=w,w(e,t)):["operator","operator"]},":":function(e){return!!e.match(/\s*\{/,!1)&&[null,null]},$:function(e){return e.match(/^[\w-]+/),e.match(/^\s*:/,!1)?["variable-2","variable-definition"]:["variable-2","variable"]},"#":function(e){return!!e.eat("{")&&[null,"interpolation"]}},name:"css",helperType:"scss"}),e.defineMIME("text/x-less",{mediaTypes:i,mediaFeatures:s,mediaValueKeywords:c,propertyKeywords:p,nonStandardPropertyKeywords:f,colorKeywords:g,valueKeywords:v,fontProperties:h,allowNested:!0,lineComment:"//",tokenHooks:{"/":function(e,t){return e.eat("/")?(e.skipToEnd(),["comment","comment"]):e.eat("*")?(t.tokenize=w,w(e,t)):["operator","operator"]},"@":function(e){return e.eat("{")?[null,"interpolation"]:!e.match(/^(charset|document|font-face|import|(-(moz|ms|o|webkit)-)?keyframes|media|namespace|page|supports)\b/i,!1)&&(e.eatWhile(/[\w\\\-]/),e.match(/^\s*:/,!1)?["variable-2","variable-definition"]:["variable-2","variable"])},"&":function(){return["atom","atom"]}},name:"css",helperType:"less"}),e.defineMIME("text/x-gss",{documentTypes:r,mediaTypes:i,mediaFeatures:s,propertyKeywords:p,nonStandardPropertyKeywords:f,fontProperties:h,counterDescriptors:m,colorKeywords:g,valueKeywords:v,supportsAtComponent:!0,tokenHooks:{"/":function(e,t){return!!e.eat("*")&&(t.tokenize=w,w(e,t))}},name:"css",helperType:"gss"})}(n(1629))},1998:function(e,t,n){!function(e){"use strict";function t(t,n,o,i){if(o&&o.call){var a=o;o=null}else var a=r(t,o,"rangeFinder");"number"==typeof n&&(n=e.Pos(n,0));var s=r(t,o,"minFoldSize");function l(e){var r=a(t,n);if(!r||r.to.line-r.from.line<s)return null;for(var o=t.findMarksAt(r.from),l=0;l<o.length;++l)if(o[l].__isFold&&"fold"!==i){if(!e)return null;r.cleared=!0,o[l].clear()}return r}var c=l(!0);if(r(t,o,"scanUp"))for(;!c&&n.line>t.firstLine();)n=e.Pos(n.line-1,0),c=l(!1);if(c&&!c.cleared&&"unfold"!==i){var u=function(e,t){var n=r(e,t,"widget");if("string"==typeof n){var o=document.createTextNode(n);(n=document.createElement("span")).appendChild(o),n.className="CodeMirror-foldmarker"}else n&&(n=n.cloneNode(!0));return n}(t,o);e.on(u,"mousedown",function(t){p.clear(),e.e_preventDefault(t)});var p=t.markText(c.from,c.to,{replacedWith:u,clearOnEnter:r(t,o,"clearOnEnter"),__isFold:!0});p.on("clear",function(n,r){e.signal(t,"unfold",t,n,r)}),e.signal(t,"fold",t,c.from,c.to)}}e.newFoldFunction=function(e,n){return function(r,o){t(r,o,{rangeFinder:e,widget:n})}},e.defineExtension("foldCode",function(e,n,r){t(this,e,n,r)}),e.defineExtension("isFolded",function(e){for(var t=this.findMarksAt(e),n=0;n<t.length;++n)if(t[n].__isFold)return!0}),e.commands.toggleFold=function(e){e.foldCode(e.getCursor())},e.commands.fold=function(e){e.foldCode(e.getCursor(),null,"fold")},e.commands.unfold=function(e){e.foldCode(e.getCursor(),null,"unfold")},e.commands.foldAll=function(t){t.operation(function(){for(var n=t.firstLine(),r=t.lastLine();n<=r;n++)t.foldCode(e.Pos(n,0),null,"fold")})},e.commands.unfoldAll=function(t){t.operation(function(){for(var n=t.firstLine(),r=t.lastLine();n<=r;n++)t.foldCode(e.Pos(n,0),null,"unfold")})},e.registerHelper("fold","combine",function(){var e=Array.prototype.slice.call(arguments,0);return function(t,n){for(var r=0;r<e.length;++r){var o=e[r](t,n);if(o)return o}}}),e.registerHelper("fold","auto",function(e,t){for(var n=e.getHelpers(t,"fold"),r=0;r<n.length;r++){var o=n[r](e,t);if(o)return o}});var n={rangeFinder:e.fold.auto,widget:"↔",minFoldSize:0,scanUp:!1,clearOnEnter:!0};function r(e,t,r){if(t&&void 0!==t[r])return t[r];var o=e.options.foldOptions;return o&&void 0!==o[r]?o[r]:n[r]}e.defineOption("foldOptions",null),e.defineExtension("foldOption",function(e,t){return r(this,e,t)})}(n(1629))},1999:function(e,t,n){!function(e){"use strict";var t,n,r=e.Pos;function o(e,t){for(var n=function(e){var t=e.flags;return null!=t?t:(e.ignoreCase?"i":"")+(e.global?"g":"")+(e.multiline?"m":"")}(e),r=n,o=0;o<t.length;o++)-1==r.indexOf(t.charAt(o))&&(r+=t.charAt(o));return n==r?e:new RegExp(e.source,r)}function i(e,t,n){t=o(t,"g");for(var i=n.line,a=n.ch,s=e.lastLine();i<=s;i++,a=0){t.lastIndex=a;var l=e.getLine(i),c=t.exec(l);if(c)return{from:r(i,c.index),to:r(i,c.index+c[0].length),match:c}}}function a(e,t){for(var n,r=0;;){t.lastIndex=r;var o=t.exec(e);if(!o)return n;if((r=(n=o).index+(n[0].length||1))==e.length)return n}}function s(e,t,n,r){if(e.length==t.length)return n;for(var o=0,i=n+Math.max(0,e.length-t.length);;){if(o==i)return o;var a=o+i>>1,s=r(e.slice(0,a)).length;if(s==n)return a;s>n?i=a:o=a+1}}function l(e,l,c,u){var p;this.atOccurrence=!1,this.doc=e,c=c?e.clipPos(c):r(0,0),this.pos={from:c,to:c},"object"==typeof u?p=u.caseFold:(p=u,u=null),"string"==typeof l?(null==p&&(p=!1),this.matches=function(o,i){return(o?function(e,o,i,a){if(!o.length)return null;var l=a?t:n,c=l(o).split(/\r|\n\r?/);e:for(var u=i.line,p=i.ch,d=e.firstLine()-1+c.length;u>=d;u--,p=-1){var f=e.getLine(u);p>-1&&(f=f.slice(0,p));var h=l(f);if(1==c.length){var m=h.lastIndexOf(c[0]);if(-1==m)continue e;return{from:r(u,s(f,h,m,l)),to:r(u,s(f,h,m+c[0].length,l))}}var b=c[c.length-1];if(h.slice(0,b.length)==b){for(var g=1,i=u-c.length+1;g<c.length-1;g++)if(l(e.getLine(i+g))!=c[g])continue e;var _=e.getLine(u+1-c.length),v=l(_);if(v.slice(v.length-c[0].length)==c[0])return{from:r(u+1-c.length,s(_,v,_.length-c[0].length,l)),to:r(u,s(f,h,b.length,l))}}}}:function(e,o,i,a){if(!o.length)return null;var l=a?t:n,c=l(o).split(/\r|\n\r?/);e:for(var u=i.line,p=i.ch,d=e.lastLine()+1-c.length;u<=d;u++,p=0){var f=e.getLine(u).slice(p),h=l(f);if(1==c.length){var m=h.indexOf(c[0]);if(-1==m)continue e;var i=s(f,h,m,l)+p;return{from:r(u,s(f,h,m,l)+p),to:r(u,s(f,h,m+c[0].length,l)+p)}}var b=h.length-c[0].length;if(h.slice(b)==c[0]){for(var g=1;g<c.length-1;g++)if(l(e.getLine(u+g))!=c[g])continue e;var _=e.getLine(u+c.length-1),v=l(_),y=c[c.length-1];if(v.slice(0,y.length)==y)return{from:r(u,s(f,h,b,l)+p),to:r(u+c.length-1,s(_,v,y.length,l))}}}})(e,l,i,p)}):(l=o(l,"gm"),u&&!1===u.multiline?this.matches=function(t,n){return(t?function(e,t,n){t=o(t,"g");for(var i=n.line,s=n.ch,l=e.firstLine();i>=l;i--,s=-1){var c=e.getLine(i);s>-1&&(c=c.slice(0,s));var u=a(c,t);if(u)return{from:r(i,u.index),to:r(i,u.index+u[0].length),match:u}}}:i)(e,l,n)}:this.matches=function(t,n){return(t?function(e,t,n){t=o(t,"gm");for(var i,s=1,l=n.line,c=e.firstLine();l>=c;){for(var u=0;u<s;u++){var p=e.getLine(l--);i=null==i?p.slice(0,n.ch):p+"\n"+i}s*=2;var d=a(i,t);if(d){var f=i.slice(0,d.index).split("\n"),h=d[0].split("\n"),m=l+f.length,b=f[f.length-1].length;return{from:r(m,b),to:r(m+h.length-1,1==h.length?b+h[0].length:h[h.length-1].length),match:d}}}}:function(e,t,n){if(!function(e){return/\\s|\\n|\n|\\W|\\D|\[\^/.test(e.source)}(t))return i(e,t,n);t=o(t,"gm");for(var a,s=1,l=n.line,c=e.lastLine();l<=c;){for(var u=0;u<s&&!(l>c);u++){var p=e.getLine(l++);a=null==a?p:a+"\n"+p}s*=2,t.lastIndex=n.ch;var d=t.exec(a);if(d){var f=a.slice(0,d.index).split("\n"),h=d[0].split("\n"),m=n.line+f.length-1,b=f[f.length-1].length;return{from:r(m,b),to:r(m+h.length-1,1==h.length?b+h[0].length:h[h.length-1].length),match:d}}}})(e,l,n)})}String.prototype.normalize?(t=function(e){return e.normalize("NFD").toLowerCase()},n=function(e){return e.normalize("NFD")}):(t=function(e){return e.toLowerCase()},n=function(e){return e}),l.prototype={findNext:function(){return this.find(!1)},findPrevious:function(){return this.find(!0)},find:function(t){for(var n=this.matches(t,this.doc.clipPos(t?this.pos.from:this.pos.to));n&&0==e.cmpPos(n.from,n.to);)t?n.from.ch?n.from=r(n.from.line,n.from.ch-1):n=n.from.line==this.doc.firstLine()?null:this.matches(t,this.doc.clipPos(r(n.from.line-1))):n.to.ch<this.doc.getLine(n.to.line).length?n.to=r(n.to.line,n.to.ch+1):n=n.to.line==this.doc.lastLine()?null:this.matches(t,r(n.to.line+1,0));if(n)return this.pos=n,this.atOccurrence=!0,this.pos.match||!0;var o=r(t?this.doc.firstLine():this.doc.lastLine()+1,0);return this.pos={from:o,to:o},this.atOccurrence=!1},from:function(){if(this.atOccurrence)return this.pos.from},to:function(){if(this.atOccurrence)return this.pos.to},replace:function(t,n){if(this.atOccurrence){var o=e.splitLines(t);this.doc.replaceRange(o,this.pos.from,this.pos.to,n),this.pos.to=r(this.pos.from.line+o.length-1,o[o.length-1].length+(1==o.length?this.pos.from.ch:0))}}},e.defineExtension("getSearchCursor",function(e,t,n){return new l(this.doc,e,t,n)}),e.defineDocExtension("getSearchCursor",function(e,t,n){return new l(this,e,t,n)}),e.defineExtension("selectMatches",function(t,n){for(var r=[],o=this.getSearchCursor(t,this.getCursor("from"),n);o.findNext()&&!(e.cmpPos(o.to(),this.getCursor("to"))>0);)r.push({anchor:o.from(),head:o.to()});r.length&&this.setSelections(r,0)})}(n(1629))},2000:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.FileList=void 0;var r,o,i,a,s,l,c=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var n=arguments[t];for(var r in n)Object.prototype.hasOwnProperty.call(n,r)&&(e[r]=n[r])}return e},u=function(){function e(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}return function(t,n,r){return n&&e(t.prototype,n),r&&e(t,r),t}}(),p=y(n(196)),d=y(n(12)),f=y(n(0)),h=y(n(1)),m=n(31),b=n(1677),g=y(n(3015)),_=(n(2001),n(2002)),v=y(n(1760));function y(e){return e&&e.__esModule?e:{default:e}}function w(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function x(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}function k(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}var C=(o=r=function(e){function t(){return w(this,t),x(this,(t.__proto__||Object.getPrototypeOf(t)).apply(this,arguments))}return k(t,h.default.Component),u(t,[{key:"componentDidMount",value:function(){v.default.bootstrapModals(),this.props.manager.setPanel(this.node),this.teardown=(0,g.default)(this.props.manager,this.props.editorManager,this.props.server,this.props.dispatch,this.props.settings);var e="files-"+this.props.manager.panel_id;(0,b.dispatchConnectionDownActions)(this.props.dispatch,e,Date.now())}},{key:"componentWillUnmount",value:function(){this.teardown&&this.teardown(),this.props.onUnmount&&this.props.onUnmount()}},{key:"render",value:function(){var e=this;return h.default.createElement("div",{className:"panel files-panel",id:this.props.id,ref:function(t){return e.node=t}})}}]),t}(),r.propTypes={manager:f.default.object.isRequired,editorManager:f.default.object.isRequired,server:f.default.object.isRequired,id:f.default.string,onUnmount:f.default.func,settings:f.default.object,dispatch:f.default.func.isRequired},o),E=(t.FileList=(a=i=function(e){function t(e){w(this,t);var n=x(this,(t.__proto__||Object.getPrototypeOf(t)).call(this,e));return n.state={activeItem:null},n}return k(t,h.default.Component),u(t,[{key:"setActiveItem",value:function(e){this.props.selectFile(e),this.setState(function(t){return{activeItem:t.activeItem===e?null:e}})}},{key:"clearActiveItem",value:function(){this.props.clearSelection(),this.setState({activeItem:null})}},{key:"renderHead",value:function(){return h.default.createElement("thead",null,h.default.createElement("tr",null,h.default.createElement("th",{className:"file_name"},"Name"),h.default.createElement("th",{className:"file_size"},"Size"),h.default.createElement("th",{className:"file_mtime"},"Modified")))}},{key:"renderFile",value:function(e){var t=this;e.isActive=this.state.activeItem===e.name,e.selectFile=function(e){return t.setActiveItem(e)};return h.default.createElement(E,c({key:e.name},e,{openFile:function(n){return t.clearActiveItem(),e.openFile(n)}}))}},{key:"render",value:function(){var e=this,t=this.props,n=t.isModal,r=t.files;return h.default.createElement("table",{id:"react-file-list",className:"table table-condensed files-table"},n?this.renderHead():null,h.default.createElement("tbody",{id:n?"modal_files":null,className:"files_list"},r.map(function(t){return e.renderFile(t)})))}}]),t}(),i.propTypes={files:f.default.array.isRequired,selectFile:f.default.func,clearSelection:f.default.func,isModal:f.default.bool},a),l=s=function(e){function t(){var e,n,r;w(this,t);for(var o=arguments.length,i=Array(o),a=0;a<o;a++)i[a]=arguments[a];return n=r=x(this,(e=t.__proto__||Object.getPrototypeOf(t)).call.apply(e,[this].concat(i))),r.handleClick=function(){r.props.selectFile(r.props.name)},r.handleDoubleClick=function(e){var t=r.props,n=t.name,o=t.crumbs,i=t.isFile;r.props.openFile({name:n,crumbs:o,isDir:!i,target:e.currentTarget})},x(r,n)}return k(t,h.default.Component),u(t,[{key:"render",value:function(){var e=this.props,t=e.name,n=e.size,r=e.mtime,o=e.isFile,i=e.isActive,a=e.crumbs,s=e.showExtended,l=o?"file-sm":"folder-sm";return h.default.createElement("tr",{className:"files_list file_tab_link "+(i?"active":""),onClick:this.handleClick,onDoubleClick:this.handleDoubleClick,"data-name":t,"data-crumbs":a,"data-is-dir":!o},h.default.createElement("td",{className:"file_name"},h.default.createElement("a",null,h.default.createElement(p.default,{glyph:l,text:l,style:{color:"#7D97AD"}}),h.default.createElement("span",{className:"file_name_text"},t))),s?h.default.createElement("td",{className:"file_size"},o?(0,_.formatBytes)(n):"-"):null,s?h.default.createElement("td",{className:"file_mtime"},(0,d.default)(r).format("MMM D HH:mm")):null)}}]),t}(),s.propTypes={isActive:f.default.bool,isFile:f.default.bool.isRequired,showExtended:f.default.bool.isRequired,openFile:f.default.func,selectFile:f.default.func,name:f.default.string.isRequired,size:f.default.number,mtime:f.default.string,crumbs:f.default.array},l);t.default=(0,m.connect)()(C)},2001:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.uploadStatus=function(e,t,n,a){var s={},l=o.default.queue(function(e,t){s[e.uid]=new i.default({serverUrl:n,file:e,uploads:s,callback:t,showConflictModal:a})},1),c=function(e,t,n){return function(o){if("."!=o.name){o.uid=(0,r.default)(),o.upload_path=e()+"/";var i=document.createElement("div");i.setAttribute("class","hidden"),i.id=o.uid+"-row",t.appendChild(i),n.push(o,function(){})}}}(e,t,l);return function(e){if(e.length){if(e.length)for(var t=0;t<e.length;t++)c(e[t]);return!1}}};var r=a(n(1676)),o=a(n(3019)),i=a(n(3020));function a(e){return e&&e.__esModule?e:{default:e}}},2002:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.formatBytes=function(e){var t,n=e;for(t=0;n>=1e3&&t<4;t++)n/=1e3;return(0===t?n:n.toFixed(2))+" "+["B","KB","MB","GB","TB"][t]}},2003:function(e,t,n){var r;e.exports=(r=n(1628),function(e){var t=r,n=t.lib,o=n.WordArray,i=n.Hasher,a=t.algo,s=[],l=[];!function(){function t(t){for(var n=e.sqrt(t),r=2;r<=n;r++)if(!(t%r))return!1;return!0}function n(e){return 4294967296*(e-(0|e))|0}for(var r=2,o=0;o<64;)t(r)&&(o<8&&(s[o]=n(e.pow(r,.5))),l[o]=n(e.pow(r,1/3)),o++),r++}();var c=[],u=a.SHA256=i.extend({_doReset:function(){this._hash=new o.init(s.slice(0))},_doProcessBlock:function(e,t){for(var n=this._hash.words,r=n[0],o=n[1],i=n[2],a=n[3],s=n[4],u=n[5],p=n[6],d=n[7],f=0;f<64;f++){if(f<16)c[f]=0|e[t+f];else{var h=c[f-15],m=(h<<25|h>>>7)^(h<<14|h>>>18)^h>>>3,b=c[f-2],g=(b<<15|b>>>17)^(b<<13|b>>>19)^b>>>10;c[f]=m+c[f-7]+g+c[f-16]}var _=r&o^r&i^o&i,v=(r<<30|r>>>2)^(r<<19|r>>>13)^(r<<10|r>>>22),y=d+((s<<26|s>>>6)^(s<<21|s>>>11)^(s<<7|s>>>25))+(s&u^~s&p)+l[f]+c[f];d=p,p=u,u=s,s=a+y|0,a=i,i=o,o=r,r=y+(v+_)|0}n[0]=n[0]+r|0,n[1]=n[1]+o|0,n[2]=n[2]+i|0,n[3]=n[3]+a|0,n[4]=n[4]+s|0,n[5]=n[5]+u|0,n[6]=n[6]+p|0,n[7]=n[7]+d|0},_doFinalize:function(){var t=this._data,n=t.words,r=8*this._nDataBytes,o=8*t.sigBytes;return n[o>>>5]|=128<<24-o%32,n[14+(o+64>>>9<<4)]=e.floor(r/4294967296),n[15+(o+64>>>9<<4)]=r,t.sigBytes=4*n.length,this._process(),this._hash},clone:function(){var e=i.clone.call(this);return e._hash=this._hash.clone(),e}});t.SHA256=i._createHelper(u),t.HmacSHA256=i._createHmacHelper(u)}(Math),r.SHA256)},2004:function(e,t,n){var r;e.exports=(r=n(1628),n(1762),function(){var e=r,t=e.lib.Hasher,n=e.x64,o=n.Word,i=n.WordArray,a=e.algo;function s(){return o.create.apply(o,arguments)}var l=[s(1116352408,3609767458),s(1899447441,602891725),s(3049323471,3964484399),s(3921009573,2173295548),s(961987163,4081628472),s(1508970993,3053834265),s(2453635748,2937671579),s(2870763221,3664609560),s(3624381080,2734883394),s(310598401,1164996542),s(607225278,1323610764),s(1426881987,3590304994),s(1925078388,4068182383),s(2162078206,991336113),s(2614888103,633803317),s(3248222580,3479774868),s(3835390401,2666613458),s(4022224774,944711139),s(264347078,2341262773),s(604807628,2007800933),s(770255983,1495990901),s(1249150122,1856431235),s(1555081692,3175218132),s(1996064986,2198950837),s(2554220882,3999719339),s(2821834349,766784016),s(2952996808,2566594879),s(3210313671,3203337956),s(3336571891,1034457026),s(3584528711,2466948901),s(113926993,3758326383),s(338241895,168717936),s(666307205,1188179964),s(773529912,1546045734),s(1294757372,1522805485),s(1396182291,2643833823),s(1695183700,2343527390),s(1986661051,1014477480),s(2177026350,1206759142),s(2456956037,344077627),s(2730485921,1290863460),s(2820302411,3158454273),s(3259730800,3505952657),s(3345764771,106217008),s(3516065817,3606008344),s(3600352804,1432725776),s(4094571909,1467031594),s(275423344,851169720),s(430227734,3100823752),s(506948616,1363258195),s(659060556,3750685593),s(883997877,3785050280),s(958139571,3318307427),s(1322822218,3812723403),s(1537002063,2003034995),s(1747873779,3602036899),s(1955562222,1575990012),s(2024104815,1125592928),s(2227730452,2716904306),s(2361852424,442776044),s(2428436474,593698344),s(2756734187,3733110249),s(3204031479,2999351573),s(3329325298,3815920427),s(3391569614,3928383900),s(3515267271,566280711),s(3940187606,3454069534),s(4118630271,4000239992),s(116418474,1914138554),s(174292421,2731055270),s(289380356,3203993006),s(460393269,320620315),s(685471733,587496836),s(852142971,1086792851),s(1017036298,365543100),s(1126000580,2618297676),s(1288033470,3409855158),s(1501505948,4234509866),s(1607167915,987167468),s(1816402316,1246189591)],c=[];!function(){for(var e=0;e<80;e++)c[e]=s()}();var u=a.SHA512=t.extend({_doReset:function(){this._hash=new i.init([new o.init(1779033703,4089235720),new o.init(3144134277,2227873595),new o.init(1013904242,4271175723),new o.init(2773480762,1595750129),new o.init(1359893119,2917565137),new o.init(2600822924,725511199),new o.init(528734635,4215389547),new o.init(1541459225,327033209)])},_doProcessBlock:function(e,t){for(var n=this._hash.words,r=n[0],o=n[1],i=n[2],a=n[3],s=n[4],u=n[5],p=n[6],d=n[7],f=r.high,h=r.low,m=o.high,b=o.low,g=i.high,_=i.low,v=a.high,y=a.low,w=s.high,x=s.low,k=u.high,C=u.low,E=p.high,O=p.low,T=d.high,S=d.low,P=f,M=h,D=m,A=b,R=g,L=_,I=v,F=y,j=w,N=x,B=k,U=C,W=E,H=O,$=T,z=S,q=0;q<80;q++){var K=c[q];if(q<16)var G=K.high=0|e[t+2*q],V=K.low=0|e[t+2*q+1];else{var X=c[q-15],Y=X.high,J=X.low,Q=(Y>>>1|J<<31)^(Y>>>8|J<<24)^Y>>>7,Z=(J>>>1|Y<<31)^(J>>>8|Y<<24)^(J>>>7|Y<<25),ee=c[q-2],te=ee.high,ne=ee.low,re=(te>>>19|ne<<13)^(te<<3|ne>>>29)^te>>>6,oe=(ne>>>19|te<<13)^(ne<<3|te>>>29)^(ne>>>6|te<<26),ie=c[q-7],ae=ie.high,se=ie.low,le=c[q-16],ce=le.high,ue=le.low;G=(G=(G=Q+ae+((V=Z+se)>>>0<Z>>>0?1:0))+re+((V+=oe)>>>0<oe>>>0?1:0))+ce+((V+=ue)>>>0<ue>>>0?1:0),K.high=G,K.low=V}var pe,de=j&B^~j&W,fe=N&U^~N&H,he=P&D^P&R^D&R,me=M&A^M&L^A&L,be=(P>>>28|M<<4)^(P<<30|M>>>2)^(P<<25|M>>>7),ge=(M>>>28|P<<4)^(M<<30|P>>>2)^(M<<25|P>>>7),_e=(j>>>14|N<<18)^(j>>>18|N<<14)^(j<<23|N>>>9),ve=(N>>>14|j<<18)^(N>>>18|j<<14)^(N<<23|j>>>9),ye=l[q],we=ye.high,xe=ye.low,ke=$+_e+((pe=z+ve)>>>0<z>>>0?1:0),Ce=ge+me;$=W,z=H,W=B,H=U,B=j,U=N,j=I+(ke=(ke=(ke=ke+de+((pe+=fe)>>>0<fe>>>0?1:0))+we+((pe+=xe)>>>0<xe>>>0?1:0))+G+((pe+=V)>>>0<V>>>0?1:0))+((N=F+pe|0)>>>0<F>>>0?1:0)|0,I=R,F=L,R=D,L=A,D=P,A=M,P=ke+(be+he+(Ce>>>0<ge>>>0?1:0))+((M=pe+Ce|0)>>>0<pe>>>0?1:0)|0}h=r.low=h+M,r.high=f+P+(h>>>0<M>>>0?1:0),b=o.low=b+A,o.high=m+D+(b>>>0<A>>>0?1:0),_=i.low=_+L,i.high=g+R+(_>>>0<L>>>0?1:0),y=a.low=y+F,a.high=v+I+(y>>>0<F>>>0?1:0),x=s.low=x+N,s.high=w+j+(x>>>0<N>>>0?1:0),C=u.low=C+U,u.high=k+B+(C>>>0<U>>>0?1:0),O=p.low=O+H,p.high=E+W+(O>>>0<H>>>0?1:0),S=d.low=S+z,d.high=T+$+(S>>>0<z>>>0?1:0)},_doFinalize:function(){var e=this._data,t=e.words,n=8*this._nDataBytes,r=8*e.sigBytes;return t[r>>>5]|=128<<24-r%32,t[30+(r+128>>>10<<5)]=Math.floor(n/4294967296),t[31+(r+128>>>10<<5)]=n,e.sigBytes=4*t.length,this._process(),this._hash.toX32()},clone:function(){var e=t.clone.call(this);return e._hash=this._hash.clone(),e},blockSize:32});e.SHA512=t._createHelper(u),e.HmacSHA512=t._createHmacHelper(u)}(),r.SHA512)},2005:function(e,t,n){"use strict";(function(e){Object.defineProperty(t,"__esModule",{value:!0}),t.default=void 0;var r,o,i,a,s,l,c=function(){function e(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}return function(t,n,r){return n&&e(t.prototype,n),r&&e(t,r),t}}(),u=y(n(1)),p=y(n(1720)),d=y(n(0)),f=y(n(123)),h=n(2006),m=v(n(3091)),b=v(n(3092)),g=y(n(3093)),_=y(n(1763));function v(e){if(e&&e.__esModule)return e;var t={};if(null!=e)for(var n in e)Object.prototype.hasOwnProperty.call(e,n)&&(t[n]=e[n]);return t.default=e,t}function y(e){return e&&e.__esModule?e:{default:e}}h.Terminal.applyAddon(m),h.Terminal.applyAddon(b);var w,x,k,C,E,O,T,S,P=(r=e(_.default,{allowMultiple:!0}),T=100,S={leading:!1,trailing:!0,maxWait:500},o=function(e,t,n){var r=n.value;n.value=p.default.debounce(r,T,S)},r((l=s=function(e){function t(){return function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}(this,t),function(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}(this,(t.__proto__||Object.getPrototypeOf(t)).apply(this,arguments))}return function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}(t,u.default.Component),c(t,[{key:"componentDidMount",value:function(){var e=this.node;this.term=new h.Terminal({cursorBlink:!1,scrollback:1e4,tabStopWidth:10,theme:g.default}),this.term.open(e,this.props.isActive),this.term.fit(),this.term.webLinksInit(function(e,t){return window.open(t,"_blank")}),this.props.parent&&(this.handleResize(),this.stopResizeWatcher=this.startResizeWatcher(this.props.parent)),this.props.onCreateTerminal(this.term)}},{key:"componentDidUpdate",value:function(e){!e.isActive&&this.props.isActive&&(this.destroyed||(this.term.focus(),this.term.fit()))}},{key:"componentWillReceiveProps",value:function(e){var t=this.props.terminal,n=e.terminal;n.col==t.cols&&n.rows==t.rows||this.updateTerminal(n),e.parent!==this.props.parent&&(this.stopResizeWatcher&&this.stopResizeWatcher(),this.stopResizeWatcher=this.startResizeWatcher(e.parent))}},{key:"componentWillUnmount",value:function(){this.stopResizeWatcher&&this.stopResizeWatcher(),this.destroyTerminal()}},{key:"startResizeWatcher",value:function(e){var t=this,n=function(){t.handleResize()};return(0,f.default)(e).on("resize",n),window.addEventListener("resize",n),function(){(0,f.default)(e).off("resize",n),window.removeEventListener("resize",n)}}},{key:"handleResize",value:function(){if(!this.destroyed){this.term.fit();var e=this.term.proposeGeometry();this.props.onResize(e)}}},{key:"updateTerminal",value:function(e){var t=e.rows,n=e.cols;this.term.fit(n,t)}},{key:"destroyTerminal",value:function(){this.term.dispose(),this.destroyed=!0}},{key:"render",value:function(){var e=this;return u.default.createElement("div",{ref:function(t){return e.node=t},styleName:"active-terminal"})}}]),t}(),s.propTypes={parent:d.default.instanceOf(Element),terminal:d.default.object,onResize:d.default.func,isActive:d.default.bool,onCreateTerminal:d.default.func},w=(a=l).prototype,x="handleResize",k=[o],C=Object.getOwnPropertyDescriptor(a.prototype,"handleResize"),E=a.prototype,O={},Object.keys(C).forEach(function(e){O[e]=C[e]}),O.enumerable=!!O.enumerable,O.configurable=!!O.configurable,("value"in O||O.initializer)&&(O.writable=!0),O=k.slice().reverse().reduce(function(e,t){return t(w,x,e)||e},O),E&&void 0!==O.initializer&&(O.value=O.initializer?O.initializer.call(E):void 0,O.initializer=void 0),void 0===O.initializer&&(Object.defineProperty(w,x,O),O=null),i=a))||i);t.default=P}).call(this,n(5))},2006:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=n(3058),o=n(1840),i=function(){function e(e){this._core=new r.Terminal(e)}return Object.defineProperty(e.prototype,"element",{get:function(){return this._core.element},enumerable:!0,configurable:!0}),Object.defineProperty(e.prototype,"textarea",{get:function(){return this._core.textarea},enumerable:!0,configurable:!0}),Object.defineProperty(e.prototype,"rows",{get:function(){return this._core.rows},enumerable:!0,configurable:!0}),Object.defineProperty(e.prototype,"cols",{get:function(){return this._core.cols},enumerable:!0,configurable:!0}),Object.defineProperty(e.prototype,"markers",{get:function(){return this._core.markers},enumerable:!0,configurable:!0}),e.prototype.blur=function(){this._core.blur()},e.prototype.focus=function(){this._core.focus()},e.prototype.on=function(e,t){this._core.on(e,t)},e.prototype.off=function(e,t){this._core.off(e,t)},e.prototype.emit=function(e,t){this._core.emit(e,t)},e.prototype.addDisposableListener=function(e,t){return this._core.addDisposableListener(e,t)},e.prototype.resize=function(e,t){this._core.resize(e,t)},e.prototype.writeln=function(e){this._core.writeln(e)},e.prototype.open=function(e){this._core.open(e)},e.prototype.attachCustomKeyEventHandler=function(e){this._core.attachCustomKeyEventHandler(e)},e.prototype.addCsiHandler=function(e,t){return this._core.addCsiHandler(e,t)},e.prototype.addOscHandler=function(e,t){return this._core.addOscHandler(e,t)},e.prototype.registerLinkMatcher=function(e,t,n){return this._core.registerLinkMatcher(e,t,n)},e.prototype.deregisterLinkMatcher=function(e){this._core.deregisterLinkMatcher(e)},e.prototype.registerCharacterJoiner=function(e){return this._core.registerCharacterJoiner(e)},e.prototype.deregisterCharacterJoiner=function(e){this._core.deregisterCharacterJoiner(e)},e.prototype.addMarker=function(e){return this._core.addMarker(e)},e.prototype.hasSelection=function(){return this._core.hasSelection()},e.prototype.getSelection=function(){return this._core.getSelection()},e.prototype.clearSelection=function(){this._core.clearSelection()},e.prototype.selectAll=function(){this._core.selectAll()},e.prototype.selectLines=function(e,t){this._core.selectLines(e,t)},e.prototype.dispose=function(){this._core.dispose()},e.prototype.destroy=function(){this._core.destroy()},e.prototype.scrollLines=function(e){this._core.scrollLines(e)},e.prototype.scrollPages=function(e){this._core.scrollPages(e)},e.prototype.scrollToTop=function(){this._core.scrollToTop()},e.prototype.scrollToBottom=function(){this._core.scrollToBottom()},e.prototype.scrollToLine=function(e){this._core.scrollToLine(e)},e.prototype.clear=function(){this._core.clear()},e.prototype.write=function(e){this._core.write(e)},e.prototype.getOption=function(e){return this._core.getOption(e)},e.prototype.setOption=function(e,t){this._core.setOption(e,t)},e.prototype.refresh=function(e,t){this._core.refresh(e,t)},e.prototype.reset=function(){this._core.reset()},e.applyAddon=function(t){t.apply(e)},Object.defineProperty(e,"strings",{get:function(){return o},enumerable:!0,configurable:!0}),e}();t.Terminal=i},2007:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=n(2008);t.wcwidth=function(e){var t=[[768,879],[1155,1158],[1160,1161],[1425,1469],[1471,1471],[1473,1474],[1476,1477],[1479,1479],[1536,1539],[1552,1557],[1611,1630],[1648,1648],[1750,1764],[1767,1768],[1770,1773],[1807,1807],[1809,1809],[1840,1866],[1958,1968],[2027,2035],[2305,2306],[2364,2364],[2369,2376],[2381,2381],[2385,2388],[2402,2403],[2433,2433],[2492,2492],[2497,2500],[2509,2509],[2530,2531],[2561,2562],[2620,2620],[2625,2626],[2631,2632],[2635,2637],[2672,2673],[2689,2690],[2748,2748],[2753,2757],[2759,2760],[2765,2765],[2786,2787],[2817,2817],[2876,2876],[2879,2879],[2881,2883],[2893,2893],[2902,2902],[2946,2946],[3008,3008],[3021,3021],[3134,3136],[3142,3144],[3146,3149],[3157,3158],[3260,3260],[3263,3263],[3270,3270],[3276,3277],[3298,3299],[3393,3395],[3405,3405],[3530,3530],[3538,3540],[3542,3542],[3633,3633],[3636,3642],[3655,3662],[3761,3761],[3764,3769],[3771,3772],[3784,3789],[3864,3865],[3893,3893],[3895,3895],[3897,3897],[3953,3966],[3968,3972],[3974,3975],[3984,3991],[3993,4028],[4038,4038],[4141,4144],[4146,4146],[4150,4151],[4153,4153],[4184,4185],[4448,4607],[4959,4959],[5906,5908],[5938,5940],[5970,5971],[6002,6003],[6068,6069],[6071,6077],[6086,6086],[6089,6099],[6109,6109],[6155,6157],[6313,6313],[6432,6434],[6439,6440],[6450,6450],[6457,6459],[6679,6680],[6912,6915],[6964,6964],[6966,6970],[6972,6972],[6978,6978],[7019,7027],[7616,7626],[7678,7679],[8203,8207],[8234,8238],[8288,8291],[8298,8303],[8400,8431],[12330,12335],[12441,12442],[43014,43014],[43019,43019],[43045,43046],[64286,64286],[65024,65039],[65056,65059],[65279,65279],[65529,65531]],n=[[68097,68099],[68101,68102],[68108,68111],[68152,68154],[68159,68159],[119143,119145],[119155,119170],[119173,119179],[119210,119213],[119362,119364],[917505,917505],[917536,917631],[917760,917999]];var o=0|e.control,i=new Uint8Array(65536);r.fill(i,1),i[0]=e.nul,r.fill(i,e.control,1,32),r.fill(i,e.control,127,160),r.fill(i,2,4352,4448),i[9001]=2,i[9002]=2,r.fill(i,2,11904,42192),i[12351]=1,r.fill(i,2,44032,55204),r.fill(i,2,63744,64256),r.fill(i,2,65040,65050),r.fill(i,2,65072,65136),r.fill(i,2,65280,65377),r.fill(i,2,65504,65511);for(var a=0;a<t.length;++a)r.fill(i,0,t[a][0],t[a][1]+1);return function(e){return e<32?0|o:e<127?1:e<65536?i[e]:function(e,t){var n,r=0,o=t.length-1;if(e<t[0][0]||e>t[o][1])return!1;for(;o>=r;)if(e>t[n=r+o>>1][1])r=n+1;else{if(!(e<t[n][0]))return!0;o=n-1}return!1}(t=e,n)?0:t>=131072&&t<=196605||t>=196608&&t<=262141?2:1;var t}}({nul:0,control:0}),t.getStringCellWidth=function(e){for(var n=0,r=e.length,o=0;o<r;++o){var i=e.charCodeAt(o);if(55296<=i&&i<=56319){if(++o>=r)return n+t.wcwidth(i);var a=e.charCodeAt(o);56320<=a&&a<=57343?i=1024*(i-55296)+a-56320+65536:n+=t.wcwidth(a)}n+=t.wcwidth(i)}return n}},2008:function(e,t,n){"use strict";function r(e,t,n,r){if(void 0===n&&(n=0),void 0===r&&(r=e.length),n>=e.length)return e;n=(e.length+n)%e.length,r=r>=e.length?e.length:(e.length+r)%e.length;for(var o=n;o<r;++o)e[o]=t;return e}Object.defineProperty(t,"__esModule",{value:!0}),t.fill=function(e,t,n,o){return e.fill?e.fill(t,n,o):r(e,t,n,o)},t.fillFallback=r,t.concat=function(e,t){var n=new e.constructor(e.length+t.length);return n.set(e),n.set(t,e.length),n}},2009:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=function(){function e(){this._interim=0}return e.prototype.clear=function(){this._interim=0},e.prototype.decode=function(e,t){var n=e.length;if(!n)return 0;var r=0,o=0;this._interim&&(56320<=(s=e.charCodeAt(o++))&&s<=57343?t[r++]=1024*(this._interim-55296)+s-56320+65536:(t[r++]=this._interim,t[r++]=s),this._interim=0);for(var i=o;i<n;++i){var a=e.charCodeAt(i);if(55296<=a&&a<=56319){if(++i>=n)return this._interim=a,r;var s;56320<=(s=e.charCodeAt(i))&&s<=57343?t[r++]=1024*(a-55296)+s-56320+65536:(t[r++]=a,t[r++]=s)}else t[r++]=a}return r},e}();t.StringToUtf32=r,t.stringFromCodePoint=function(e){return e>65535?(e-=65536,String.fromCharCode(55296+(e>>10))+String.fromCharCode(e%1024+56320)):String.fromCharCode(e)},t.utf32ToString=function(e,t,n){void 0===t&&(t=0),void 0===n&&(n=e.length);for(var r="",o=t;o<n;++o){var i=e[o];i>65535?(i-=65536,r+=String.fromCharCode(55296+(i>>10))+String.fromCharCode(i%1024+56320)):r+=String.fromCharCode(i)}return r}},2010:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=n(1721),o=n(3072),i=n(3074),a=n(3075),s={none:i.default,static:a.default,dynamic:o.default},l=[];t.acquireCharAtlas=function(e,t,n,o){for(var i=r.generateConfig(n,o,e,t),a=0;a<l.length;a++){var c=(u=l[a]).ownedBy.indexOf(e);if(c>=0){if(r.configEquals(u.config,i))return u.atlas;1===u.ownedBy.length?(u.atlas.dispose(),l.splice(a,1)):u.ownedBy.splice(c,1);break}}for(a=0;a<l.length;a++){var u=l[a];if(r.configEquals(u.config,i))return u.ownedBy.push(e),u.atlas}var p={atlas:new s[e.options.experimentalCharAtlas](document,i),config:i,ownedBy:[e]};return l.push(p),p.atlas},t.removeTerminalFromCache=function(e){for(var t=0;t<l.length;t++){var n=l[t].ownedBy.indexOf(e);if(-1!==n){1===l[t].ownedBy.length?(l[t].atlas.dispose(),l.splice(t,1)):l[t].ownedBy.splice(n,1);break}}}},2011:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=n(1722),o=n(1650);function i(e,t){for(var n=!0,r=t.rgba>>>24,o=t.rgba>>>16&255,i=t.rgba>>>8&255,a=0;a<e.data.length;a+=4)e.data[a]===r&&e.data[a+1]===o&&e.data[a+2]===i?e.data[a+3]=0:n=!1;return n}function a(e,t){return e+" "+t.fontSize*t.devicePixelRatio+"px "+t.fontFamily}t.generateStaticCharAtlasTexture=function(e,t,n){var s=n.scaledCharWidth+o.CHAR_ATLAS_CELL_SPACING,l=n.scaledCharHeight+o.CHAR_ATLAS_CELL_SPACING,c=t(255*s,34*l),u=c.getContext("2d",{alpha:n.allowTransparency});u.fillStyle=n.colors.background.css,u.fillRect(0,0,c.width,c.height),u.save(),u.fillStyle=n.colors.foreground.css,u.font=a(n.fontWeight,n),u.textBaseline="middle";for(var p=0;p<256;p++)u.save(),u.beginPath(),u.rect(p*s,0,s,l),u.clip(),u.fillText(String.fromCharCode(p),p*s,l/2),u.restore();for(u.save(),u.font=a(n.fontWeightBold,n),p=0;p<256;p++)u.save(),u.beginPath(),u.rect(p*s,l,s,l),u.clip(),u.fillText(String.fromCharCode(p),p*s,1.5*l),u.restore();u.restore(),u.font=a(n.fontWeight,n);for(var d=0;d<16;d++){var f=(d+2)*l;for(p=0;p<256;p++)u.save(),u.beginPath(),u.rect(p*s,f,s,l),u.clip(),u.fillStyle=n.colors.ansi[d].css,u.fillText(String.fromCharCode(p),p*s,f+l/2),u.restore()}for(u.font=a(n.fontWeightBold,n),d=0;d<16;d++)for(f=(d+2+16)*l,p=0;p<256;p++)u.save(),u.beginPath(),u.rect(p*s,f,s,l),u.clip(),u.fillStyle=n.colors.ansi[d].css,u.fillText(String.fromCharCode(p),p*s,f+l/2),u.restore();if(u.restore(),!("createImageBitmap"in e)||r.isFirefox||r.isSafari)return c;var h=u.getImageData(0,0,c.width,c.height);return i(h,n.colors.background),e.createImageBitmap(h)},t.clearColor=i},2012:function(e,t,n){"use strict";var r,o=this&&this.__extends||(r=function(e,t){return(r=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(e,t){e.__proto__=t}||function(e,t){for(var n in t)t.hasOwnProperty(n)&&(e[n]=t[n])})(e,t)},function(e,t){function n(){this.constructor=e}r(e,t),e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)});Object.defineProperty(t,"__esModule",{value:!0});var i=function(e){function t(){return null!==e&&e.apply(this,arguments)||this}return o(t,e),t.prototype.setListener=function(e){var t=this;this._listener&&this.clearListener(),this._listener=e,this._outerListener=function(){t._listener(window.devicePixelRatio,t._currentDevicePixelRatio),t._updateDpr()},this._updateDpr()},t.prototype.dispose=function(){e.prototype.dispose.call(this),this.clearListener()},t.prototype._updateDpr=function(){this._resolutionMediaMatchList&&this._resolutionMediaMatchList.removeListener(this._outerListener),this._currentDevicePixelRatio=window.devicePixelRatio,this._resolutionMediaMatchList=window.matchMedia("screen and (resolution: "+window.devicePixelRatio+"dppx)"),this._resolutionMediaMatchList.addListener(this._outerListener)},t.prototype.clearListener=function(){this._listener&&(this._resolutionMediaMatchList.removeListener(this._outerListener),this._listener=null,this._outerListener=null)},t}(n(1678).Disposable);t.ScreenDprMonitor=i},2013:function(e,t,n){"use strict";var r,o=this&&this.__extends||(r=function(e,t){return(r=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(e,t){e.__proto__=t}||function(e,t){for(var n in t)t.hasOwnProperty(n)&&(e[n]=t[n])})(e,t)},function(e,t){function n(){this.constructor=e}r(e,t),e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)});Object.defineProperty(t,"__esModule",{value:!0});var i=n(1678),a=n(1764),s=function(e){function t(t){var n=e.call(this)||this;return n._terminal=t,n._zones=[],n._areZonesActive=!1,n._tooltipTimeout=null,n._currentZone=null,n._lastHoverCoords=[null,null],n.register(a.addDisposableDomListener(n._terminal.element,"mousedown",function(e){return n._onMouseDown(e)})),n._mouseMoveListener=function(e){return n._onMouseMove(e)},n._mouseLeaveListener=function(e){return n._onMouseLeave(e)},n._clickListener=function(e){return n._onClick(e)},n}return o(t,e),t.prototype.dispose=function(){e.prototype.dispose.call(this),this._deactivate()},t.prototype.add=function(e){this._zones.push(e),1===this._zones.length&&this._activate()},t.prototype.clearAll=function(e,t){if(0!==this._zones.length){t||(e=0,t=this._terminal.rows-1);for(var n=0;n<this._zones.length;n++){var r=this._zones[n];(r.y1>e&&r.y1<=t+1||r.y2>e&&r.y2<=t+1||r.y1<e&&r.y2>t+1)&&(this._currentZone&&this._currentZone===r&&(this._currentZone.leaveCallback(),this._currentZone=null),this._zones.splice(n--,1))}0===this._zones.length&&this._deactivate()}},t.prototype._activate=function(){this._areZonesActive||(this._areZonesActive=!0,this._terminal.element.addEventListener("mousemove",this._mouseMoveListener),this._terminal.element.addEventListener("mouseleave",this._mouseLeaveListener),this._terminal.element.addEventListener("click",this._clickListener))},t.prototype._deactivate=function(){this._areZonesActive&&(this._areZonesActive=!1,this._terminal.element.removeEventListener("mousemove",this._mouseMoveListener),this._terminal.element.removeEventListener("mouseleave",this._mouseLeaveListener),this._terminal.element.removeEventListener("click",this._clickListener))},t.prototype._onMouseMove=function(e){this._lastHoverCoords[0]===e.pageX&&this._lastHoverCoords[1]===e.pageY||(this._onHover(e),this._lastHoverCoords=[e.pageX,e.pageY])},t.prototype._onHover=function(e){var t=this,n=this._findZoneEventAt(e);n!==this._currentZone&&(this._currentZone&&(this._currentZone.leaveCallback(),this._currentZone=null,this._tooltipTimeout&&clearTimeout(this._tooltipTimeout)),n&&(this._currentZone=n,n.hoverCallback&&n.hoverCallback(e),this._tooltipTimeout=setTimeout(function(){return t._onTooltip(e)},500)))},t.prototype._onTooltip=function(e){this._tooltipTimeout=null;var t=this._findZoneEventAt(e);t&&t.tooltipCallback&&t.tooltipCallback(e)},t.prototype._onMouseDown=function(e){if(this._areZonesActive){var t=this._findZoneEventAt(e);t&&t.willLinkActivate(e)&&(e.preventDefault(),e.stopImmediatePropagation())}},t.prototype._onMouseLeave=function(e){this._currentZone&&(this._currentZone.leaveCallback(),this._currentZone=null,this._tooltipTimeout&&clearTimeout(this._tooltipTimeout))},t.prototype._onClick=function(e){var t=this._findZoneEventAt(e);t&&(t.clickCallback(e),e.preventDefault(),e.stopImmediatePropagation())},t.prototype._findZoneEventAt=function(e){var t=this._terminal.mouseHelper.getCoords(e,this._terminal.screenElement,this._terminal.charMeasure,this._terminal.cols,this._terminal.rows);if(!t)return null;for(var n=t[0],r=t[1],o=0;o<this._zones.length;o++){var i=this._zones[o];if(i.y1===i.y2){if(r===i.y1&&n>=i.x1&&n<i.x2)return i}else if(r===i.y1&&n>=i.x1||r===i.y2&&n<i.x2||r>i.y1&&r<i.y2)return i}return null},t}(i.Disposable);t.MouseZoneManager=s;var l=function(){return function(e,t,n,r,o,i,a,s,l){this.x1=e,this.y1=t,this.x2=n,this.y2=r,this.clickCallback=o,this.hoverCallback=i,this.tooltipCallback=a,this.leaveCallback=s,this.willLinkActivate=l}}();t.MouseZone=l},2014:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=function(){function e(e){this._renderer=e}return e.prototype.setRenderer=function(e){this._renderer=e},e.getCoordsRelativeToElement=function(e,t){var n=t.getBoundingClientRect();return[e.clientX-n.left,e.clientY-n.top]},e.prototype.getCoords=function(t,n,r,o,i,a){if(!r.width||!r.height)return null;var s=e.getCoordsRelativeToElement(t,n);return s?(s[0]=Math.ceil((s[0]+(a?this._renderer.dimensions.actualCellWidth/2:0))/this._renderer.dimensions.actualCellWidth),s[1]=Math.ceil(s[1]/this._renderer.dimensions.actualCellHeight),s[0]=Math.min(Math.max(s[0],1),o+(a?1:0)),s[1]=Math.min(Math.max(s[1],1),i),s):null},e.prototype.getRawByteCoords=function(e,t,n,r,o){var i=this.getCoords(e,t,n,r,o),a=i[0],s=i[1];return{x:a+=32,y:s+=32}},e}();t.MouseHelper=r},2015:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.initialState=t.PREVIEW=t.SET_URL=void 0;var r=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var n=arguments[t];for(var r in n)Object.prototype.hasOwnProperty.call(n,r)&&(e[r]=n[r])}return e};t.setUrl=b,t.preview=function(e,t){return{type:h,scope:e,url:t}},t.makeSaga=function(e,t,n,r){var i=r.onBackupStatus,a=r.onBackupDownload,l=r.onLoadArchives,c=r.terminalApi,u=r.onChangePort,p=r.workspaceLocation,d=r.context,f=r.selectState,h=r.lab,m=r.onChangeGPUMode;return regeneratorRuntime.mark(function r(b,v){return regeneratorRuntime.wrap(function(r){for(;;)switch(r.prev=r.next){case 0:return r.delegateYield((0,s.makeSaga)(e,t,n,{onBackupStatus:i,onBackupDownload:a,onLoadArchives:l,terminalApi:c,onChangePort:u,workspaceLocation:p,context:d,selectState:f,lab:h,onChangeGPUMode:m})(b,v),"t0",1);case 1:return r.t1=o.fork,r.t2=g,r.next=5,(0,o.call)(b);case 5:return r.t3=r.sent,r.next=8,(0,r.t1)(r.t2,r.t3);case 8:return r.next=10,(0,o.fork)(_,{onChangePort:u,scope:v,project:n});case 10:case"end":return r.stop()}},r,this)})};var o=n(137),i=n(141),a=n(1635),s=n(1723),l=regeneratorRuntime.mark(g),c=regeneratorRuntime.mark(_);var u,p,d,f=t.SET_URL="udacity/workspace/react/set-url",h=t.PREVIEW="udacity/workspace/react/preview",m=(0,a.createReducer)(null,(d=function(e,t){return t.url},(p=f)in(u={})?Object.defineProperty(u,p,{value:d,enumerable:!0,configurable:!0,writable:!0}):u[p]=d,u));function b(e,t){return{type:f,scope:e,url:t}}function g(e){var t;return regeneratorRuntime.wrap(function(n){for(;;)switch(n.prev=n.next){case 0:return n.next=3,(0,o.take)(e);case 3:(t=n.sent).type===h&&window.open(t.url,"_preview_tab"),n.next=0;break;case 7:case"end":return n.stop()}},l,this)}function _(e){var t,n=e.onChangePort,r=e.scope,i=e.project.blueprint.conf.port;return regeneratorRuntime.wrap(function(e){for(;;)switch(e.prev=e.next){case 0:return e.next=2,(0,o.call)(n,i);case 2:return t=e.sent,e.next=5,(0,o.put)(b(r,t));case 5:case"end":return e.stop()}},c,this)}t.initialState=r({},s.initialState);var v=(0,i.combineReducers)(r({},s.reducers,{previewUrl:m}));t.default=v},2016:function(e,t,n){"use strict";(function(e){var r;Object.defineProperty(t,"__esModule",{value:!0}),t.initialState=void 0,t.getConnected=function(e){return e},t.connectionOk=h,t.disconnected=m,t.saga=g;var o=n(295),i=n(137),a=n(1635),s=regeneratorRuntime.mark(g);function l(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}var c="udacity/workspace/connection-ok",u="udacity/workspace/disconnected",p=3e4,d=t.initialState=!0,f=(0,a.createReducer)(d,(l(r={},c,function(){return!0}),l(r,u,function(){return!1}),r));function h(e){return{type:c,scope:e}}function m(e){return{type:u,scope:e}}function b(t){return t("ls").then(function(t){return t.status>500?e.reject(new Error(t.statusText)):e.resolve(t)})}function g(e,t){var n;return regeneratorRuntime.wrap(function(r){for(;;)switch(r.prev=r.next){case 0:n=e.exec.bind(e);case 1:return r.prev=2,r.next=5,(0,i.call)(b,n);case 5:return r.next=7,(0,i.put)(h(t));case 7:r.next=14;break;case 9:return r.prev=9,r.t0=r.catch(2),console.error("Could not connect:",r.t0),r.next=14,(0,i.put)(m(t));case 14:return r.prev=14,r.next=17,(0,o.delay)(p);case 17:return r.finish(14);case 18:r.next=1;break;case 20:case"end":return r.stop()}},s,this,[[2,9,14,18]])}t.default=f}).call(this,n(10))},2017:function(e,t,n){(function(t){var n,r=t.crypto||t.msCrypto;if(r&&r.getRandomValues){var o=new Uint8Array(16);n=function(){return r.getRandomValues(o),o}}if(!n){var i=new Array(16);n=function(){for(var e,t=0;t<16;t++)0==(3&t)&&(e=4294967296*Math.random()),i[t]=e>>>((3&t)<<3)&255;return i}}e.exports=n}).call(this,n(28))},2018:function(e,t){for(var n=[],r=0;r<256;++r)n[r]=(r+256).toString(16).substr(1);e.exports=function(e,t){var r=t||0,o=n;return o[e[r++]]+o[e[r++]]+o[e[r++]]+o[e[r++]]+"-"+o[e[r++]]+o[e[r++]]+"-"+o[e[r++]]+o[e[r++]]+"-"+o[e[r++]]+o[e[r++]]+"-"+o[e[r++]]+o[e[r++]]+o[e[r++]]+o[e[r++]]+o[e[r++]]+o[e[r++]]}},2019:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.fixEditorForFileChanges=a,t.getWorkspaceFiles=function(e){return e.exec('find /home/workspace -type f | grep -v "node_modules"').then(function(e){return e.json()}).then(function(e){var t=e.stdout.split("\n").filter(function(e){return e});return{options:t.map(function(e){return{value:e,label:e}})}})};var r=n(295),o=n(137),i=regeneratorRuntime.mark(a);function a(e,t,n){var a,s,l=this;return regeneratorRuntime.wrap(function(e){for(;;)switch(e.prev=e.next){case 0:a=(0,r.eventChannel)(function(e){var t=function(t){var n=t.path;return e({type:"remove",path:n})},r=function(t){var n=t.fromPath,r=t.toPath;return e({type:"move",fromPath:n,toPath:r})};return n.events().on("remove:post",t),n.events().on("move:post",r),function(){n.events().removeListener("remove:post",t),n.events().removeListener("move:post",r)}}),s=regeneratorRuntime.mark(function e(){var n,r,i;return regeneratorRuntime.wrap(function(e){for(;;)switch(e.prev=e.next){case 0:return e.next=2,(0,o.take)(a);case 2:if("move"!==(n=e.sent).type){e.next=10;break}return e.next=6,(0,o.call)(t.listOpenFiles);case 6:return r=e.sent,i=r.map(function(e){return e===n.fromPath?n.toPath:e}),e.next=10,(0,o.call)(t.setOpenFiles,i,{save:!1,forceClose:!0,forceSave:!1});case 10:if("remove"!==n.type){e.next=13;break}return e.next=13,(0,o.call)(t.closeFile,n.path,{save:!1,forceClose:!0,forceSave:!1});case 13:case"end":return e.stop()}},e,l)});case 2:return e.delegateYield(s(),"t0",4);case 4:e.next=2;break;case 6:case"end":return e.stop()}},i,this)}},2020:function(e,t,n){"use strict";(function(e){Object.defineProperty(t,"__esModule",{value:!0}),t.default=void 0;var r,o=function(){function e(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}return function(t,n,r){return n&&e(t.prototype,n),r&&e(t,r),t}}(),i=a(n(1));function a(e){return e&&e.__esModule?e:{default:e}}var s=e(a(n(3157)).default)(r=function(e){function t(){return function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}(this,t),function(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}(this,(t.__proto__||Object.getPrototypeOf(t)).apply(this,arguments))}return function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}(t,i.default.Component),o(t,[{key:"render",value:function(){return i.default.createElement("div",{"data-test":"menu-alert",styleName:"alert-container"},i.default.createElement("div",{styleName:"alert-icon"},"1"))}}]),t}())||r;t.default=s}).call(this,n(5))},2021:function(e,t,n){e.exports={"control-panel":"index--control-panel--3heDd",controls:"index--controls--2Ohri",control:"index--control--15dho",narrow:"index--narrow--2Ld74",inline:"index--inline--6UctO","controlled-frame":"index--controlled-frame--U7MQt"}},2022:function(e,t,n){"use strict";(function(e){Object.defineProperty(t,"__esModule",{value:!0}),t.default=void 0;var r,o,i,a,s,l,c=function(){function e(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}return function(t,n,r){return n&&e(t.prototype,n),r&&e(t,r),t}}(),u=y(n(1)),p=y(n(1645)),d=n(3175),f=y(d),h=n(483),m=n(1675),b=y(n(3176)),g=y(n(1656)),_=n(482),v=y(n(2023));function y(e){return e&&e.__esModule?e:{default:e}}function w(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}var x,k,C,E,O,T,S=(r=(0,p.default)(),o=(0,h.withReduxScope)(),i=e(v.default),a=(0,_.debounce)(2e3),r(s=o(s=i((l=function(e){function t(){var e,n,r;!function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}(this,t);for(var o=arguments.length,i=Array(o),a=0;a<o;a++)i[a]=arguments[a];return n=r=w(this,(e=t.__proto__||Object.getPrototypeOf(t)).call.apply(e,[this].concat(i))),r.setRoot=function(e){var t=r.root;r.root=e,!t&&r.root&&r.forceUpdate()},r.setTerminal=function(e){r.terminal=e},w(r,n)}return function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}(t,u.default.Component),c(t,[{key:"componentWillMount",value:function(){this.server=new m.Server(this.props.server),this.managers={terminal:new m.PanelManager}}},{key:"componentDidMount",value:function(){this.startProject(this.props.project)}},{key:"componentWillReceiveProps",value:function(e){this.props.project.isEqual(e.project)||this.startProject(e.project)}},{key:"componentWillUnmount",value:function(){this.props.cancel()}},{key:"startProject",value:function(e){var t=(0,d.makeSaga)(this.server,this.managers,e,{selectState:this.props.selectState,context:this.props.context,terminalApi:this.terminal&&this.terminal.api()});this.props.supply({saga:t,scope:this.props.scope,initialState:d.initialState,reducer:f.default})}},{key:"render",value:function(){var e=this.props.isFullScreenActive,t=m.components.Terminal,n=m.components.Layout,r=u.default.createElement(t,{ref:this.setTerminal,server:this.server,manager:this.managers.terminal,allowClose:this.props.project.blueprint.conf.allowClose,terminalTitle:this.props.project.blueprint.conf.terminalTitle});return u.default.createElement("div",{ref:this.setRoot,className:e?v.default["blueprint--fullscreen"]:v.default.blueprint},u.default.createElement("div",{className:"\n scoped-bootstrap\n student-workspace\n "+(e?"":"inline attached")+"\n "+v.default["layout-container"]+"\n "},u.default.createElement("div",{className:"\n theme_dark\n "+v.default["layout-theme"]+"\n ","data-test":"repl-blueprint"},u.default.createElement(n,{layout:{override:!0,is_hidden:{},maximized:"",layout:{weight:4,key:"terminal",component:r}}}))),u.default.createElement(g.default,{actionButton:u.default.createElement("span",null),allowBackups:!1,allowGrade:!1,allowSubmit:!1,fullScreen:this.props.fullScreen,gpuCapable:!1,isFullScreenActive:e,masterFilesUpdated:this.props.masterFilesUpdated,onNext:this.props.onNext,onReconnect:this.props.onReconnect,onResetFiles:this.props.onResetFiles,onToggleFillsMonitorScreen:this.props.onToggleFillsMonitorScreen,parent:this.root,parentNode:this.props.parentNode,scope:this.props.scope,scopedState:this.props.scopedState,starConnected:this.props.starConnected}))}}],[{key:"kind",value:function(){return"repl"}},{key:"configurator",value:function(){return b.default}},{key:"features",value:function(){return{gpu:!1,labs:!1,submit:!1}}}]),t}(),x=l.prototype,k="startProject",C=[a],E=Object.getOwnPropertyDescriptor(l.prototype,"startProject"),O=l.prototype,T={},Object.keys(E).forEach(function(e){T[e]=E[e]}),T.enumerable=!!T.enumerable,T.configurable=!!T.configurable,("value"in T||T.initializer)&&(T.writable=!0),T=C.slice().reverse().reduce(function(e,t){return t(x,k,e)||e},T),O&&void 0!==T.initializer&&(T.value=T.initializer?T.initializer.call(O):void 0,T.initializer=void 0),void 0===T.initializer&&(Object.defineProperty(x,k,T),T=null),s=l))||s)||s)||s);t.default=S}).call(this,n(5))},2023:function(e,t,n){e.exports={"control-panel":"index--control-panel--3amDw",controls:"index--controls--2hbOY",control:"index--control--2BYaE",narrow:"index--narrow--2Qw4m",blueprint:"index--blueprint--2M2UJ","blueprint--fullscreen":"index--blueprint--fullscreen--1H3-O","layout-container":"index--layout-container--2AFmZ","layout-theme":"index--layout-theme--Sk9BD"}},2024:function(e,t,n){"use strict";(function(e){Object.defineProperty(t,"__esModule",{value:!0}),t.default=void 0;var r,o,i,a,s,l,c,u,p=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var n=arguments[t];for(var r in n)Object.prototype.hasOwnProperty.call(n,r)&&(e[r]=n[r])}return e},d=function(){function e(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}return function(t,n,r){return n&&e(t.prototype,n),r&&e(t,r),t}}(),f=k(n(1)),h=k(n(1645)),m=k(n(1665)),b=n(33),g=k(n(1656)),_=n(482),v=n(483),y=k(n(3177)),w=n(3178),x=k(w);function k(e){return e&&e.__esModule?e:{default:e}}function C(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function E(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}function O(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}var T,S,P,M,D,A,R=e(y.default)(r=function(e){function t(){return C(this,t),E(this,(t.__proto__||Object.getPrototypeOf(t)).apply(this,arguments))}return O(t,f.default.Component),d(t,[{key:"onChangeAllowSubmit",value:function(e){this.props.onChangeConf&&this.props.onChangeConf(p({},this.props.conf,{allowSubmit:e}))}},{key:"onChangeDiskConf",value:function(e){this.props.onChangeConf&&this.props.onChangeConf(p({},this.props.conf,{disk:e}))}},{key:"render",value:function(){var e=this,n=Object.assign({},t.defaultConf(),this.props.conf);return f.default.createElement("div",{styleName:"control-panel"},f.default.createElement("h2",null,"Configurator"),f.default.createElement("div",{styleName:"controls"},f.default.createElement("div",{styleName:"control"},f.default.createElement(b.Checkbox,{label:"Allow students to submit a project from this workspace",checked:n.allowSubmit,onChange:function(t){return e.onChangeAllowSubmit(t.target.checked)}})),f.default.createElement("div",{styleName:"control"},f.default.createElement(m.default,{disk:n.disk,getDisks:this.props.getDisks,mountFiles:this.props.mountFiles,onChange:function(t){return e.onChangeDiskConf(t)}}))))}}],[{key:"defaultConf",value:function(){return{disk:null,allowSubmit:!1}}},{key:"editorConf",value:function(e){return p({},e,{allowSubmit:!1})}}]),t}())||r,L=(o=(0,h.default)(),i=(0,v.withReduxScope)(),a=(0,_.debounce)(500),o(s=i((u=c=function(e){function t(){var e,n,r;C(this,t);for(var o=arguments.length,i=Array(o),a=0;a<o;a++)i[a]=arguments[a];return n=r=E(this,(e=t.__proto__||Object.getPrototypeOf(t)).call.apply(e,[this].concat(i))),r.setRoot=function(e){var t=r.root;r.root=e,!t&&r.root&&r.forceUpdate()},E(r,n)}return O(t,f.default.Component),d(t,[{key:"componentDidMount",value:function(){this.startProject(this.props.project)}},{key:"componentWillReceiveProps",value:function(e){this.props.project.isEqual(e.project)||this.startProject(e.project)}},{key:"componentWillUnmount",value:function(){this.props.cancel()}},{key:"startProject",value:function(){this.props.supply({saga:(0,w.makeSaga)({project:this.props.project,context:this.props.context,selectState:this.props.selectState}),scope:this.props.scope,initialState:w.initialState,reducer:x.default})}},{key:"getURL",value:function(){var e=this.props,t=e.server,n=e.isEditor;return t+"/sql/ui/?viewId="+e.viewId+(n?"&setup=1":"")}},{key:"mungeStateForControlBar",value:function(){if(this.props.scopedState)return p({connected:!0,changesSaved:!0},this.props.scopedState)}},{key:"render",value:function(){var e=this.props,t=e.isFullScreenActive,n=e.project.blueprint.conf;return f.default.createElement("div",{ref:this.setRoot,style:{height:t?"100%":"750px"}},f.default.createElement("div",{style:p({height:"calc(100% - 48px + 2px)",position:"relative"},this.props.styles)},f.default.createElement("iframe",{src:this.getURL(),frameBorder:0,style:{height:"100%",width:"100%"}})),f.default.createElement(g.default,{actionButton:f.default.createElement("span",null),allowBackups:!1,allowSubmit:n.allowSubmit,fullScreen:this.props.fullScreen,isFullScreenActive:t,masterFilesUpdated:this.props.masterFilesUpdated,onGoToLessons:this.props.onGoToLessons,onNext:this.props.onNext,onReconnect:this.props.onReconnect,onResetFiles:this.props.onResetFiles,onSubmit:this.props.onSubmit,onToggleFillsMonitorScreen:this.props.onToggleFillsMonitorScreen,parent:this.root,parentNode:this.props.parentNode,renderCorners:!0,scope:this.props.scope,scopedState:this.mungeStateForControlBar(),starConnected:this.props.starConnected}))}}],[{key:"kind",value:function(){return"sql-evaluator"}},{key:"configurator",value:function(){return R}},{key:"features",value:function(){return{gpu:!1,labs:!1,submit:!1}}}]),t}(),c.displayName="blueprints/sql-evaluator",T=(l=u).prototype,S="startProject",P=[a],M=Object.getOwnPropertyDescriptor(l.prototype,"startProject"),D=l.prototype,A={},Object.keys(M).forEach(function(e){A[e]=M[e]}),A.enumerable=!!A.enumerable,A.configurable=!!A.configurable,("value"in A||A.initializer)&&(A.writable=!0),A=P.slice().reverse().reduce(function(e,t){return t(T,S,e)||e},A),D&&void 0!==A.initializer&&(A.value=A.initializer?A.initializer.call(D):void 0,A.initializer=void 0),void 0===A.initializer&&(Object.defineProperty(T,S,A),A=null),s=l))||s)||s);t.default=L}).call(this,n(5))},2025:function(e,t,n){"use strict";(function(e,r){Object.defineProperty(t,"__esModule",{value:!0}),t.default=void 0;var o,i,a,s,l,c,u,p,d,f=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var n=arguments[t];for(var r in n)Object.prototype.hasOwnProperty.call(n,r)&&(e[r]=n[r])}return e},h=function(){function e(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}return function(t,n,r){return n&&e(t.prototype,n),r&&e(t,r),t}}(),m=n(3237),b=n(3179),g=P(b),_=n(33),v=P(n(1656)),y=P(n(1665)),w=P(n(1)),x=P(n(1638)),k=P(n(1830)),C=n(1726),E=P(n(1645)),O=n(482),T=P(n(3180)),S=n(483);function P(e){return e&&e.__esModule?e:{default:e}}function M(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function D(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}function A(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}function R(e,t,n,r,o){var i={};return Object.keys(r).forEach(function(e){i[e]=r[e]}),i.enumerable=!!i.enumerable,i.configurable=!!i.configurable,("value"in i||i.initializer)&&(i.writable=!0),i=n.slice().reverse().reduce(function(n,r){return r(e,t,n)||n},i),o&&void 0!==i.initializer&&(i.value=i.initializer?i.initializer.call(o):void 0,i.initializer=void 0),void 0===i.initializer&&(Object.defineProperty(e,t,i),i=null),i}for(var L=[],I=3e3;I<3010;I++)L.push({value:I,label:I});var F=(o=e(T.default),i=(0,O.debounce)(1e3),o((R((s=function(e){function t(e){M(this,t);var n=D(this,(t.__proto__||Object.getPrototypeOf(t)).call(this,e));return n.state={defaultPath:n.props.conf.defaultPath},n}return A(t,w.default.Component),h(t,null,[{key:"defaultConf",value:function(e){return{defaultPath:"/",ports:[],disk:null,allowSubmit:!1,allowGrade:r.get(e,"gradable",!1)}}},{key:"editorConf",value:function(e){return f({},e,{allowSubmit:!1})}}]),h(t,[{key:"onChangeDefaultPath",value:function(e){this.props.onChangeConf&&this.props.onChangeConf(f({},this.props.conf,{defaultPath:e}))}},{key:"onChangeAllowSubmit",value:function(e){this.props.onChangeConf&&this.props.onChangeConf(f({},this.props.conf,{allowSubmit:e}))}},{key:"onChangeDiskConf",value:function(e){this.props.onChangeConf&&this.props.onChangeConf(f({},this.props.conf,{disk:e}))}},{key:"onChangePorts",value:function(e){this.props.onChangeConf&&this.props.onChangeConf(f({},this.props.conf,{ports:e.map(function(e){return e.value})}))}},{key:"updateDefaultPath",value:function(e){this.setState({defaultPath:e}),this.onChangeDefaultPath(e)}},{key:"render",value:function(){var e=this,n=Object.assign({},t.defaultConf(),this.props.conf);return w.default.createElement("div",{styleName:"control-panel"},w.default.createElement("h2",null,"Jupyter Configurator"),w.default.createElement("div",{styleName:"controls"},w.default.createElement("div",{styleName:"control"},w.default.createElement(C.TextInput,{id:"open-path",type:"text",label:"Default Open Path:",value:this.state.defaultPath,onChange:function(t){return e.updateDefaultPath(t.target.value)}})),w.default.createElement("div",{styleName:"control"},w.default.createElement("label",null,"Other ports to open (e.g. for backend services):"),w.default.createElement(x.default,{multi:!0,name:"open-ports",value:n.ports.map(function(e){return{value:e,label:e}}),options:L,onChange:function(t){return e.onChangePorts(t)}})),w.default.createElement("div",{styleName:"control"},w.default.createElement(_.Checkbox,{label:"Allow students to submit a project from this workspace",checked:n.allowSubmit,onChange:function(t){return e.onChangeAllowSubmit(t.target.checked)}})),w.default.createElement("div",{styleName:"control"},w.default.createElement(y.default,{disk:n.disk,getDisks:this.props.getDisks,mountFiles:this.props.mountFiles,onChange:function(t){return e.onChangeDiskConf(t)}}))))}}]),t}()).prototype,"onChangeDefaultPath",[i],Object.getOwnPropertyDescriptor(s.prototype,"onChangeDefaultPath"),s.prototype),a=s))||a),j=(l=(0,E.default)(),c=(0,S.withReduxScope)(),u=(0,O.debounce)(500),l(p=c((R((d=function(e){function t(){var e,n,r;M(this,t);for(var o=arguments.length,i=Array(o),a=0;a<o;a++)i[a]=arguments[a];return n=r=D(this,(e=t.__proto__||Object.getPrototypeOf(t)).call.apply(e,[this].concat(i))),r.setRoot=function(e){var t=r.root;r.root=e,!t&&r.root&&r.forceUpdate()},D(r,n)}return A(t,w.default.Component),h(t,[{key:"componentDidMount",value:function(){this.startProject(this.props.project)}},{key:"componentWillReceiveProps",value:function(e){this.props.project.isEqual(e.project)||this.startProject(e.project)}},{key:"componentWillUnmount",value:function(){this.props.cancel()}},{key:"startProject",value:function(){this.props.supply({saga:(0,b.makeSaga)({onBackupDownload:this.props.onBackupDownload,onBackupStatus:this.props.onBackupStatus,onChangeGPUMode:this.props.onChangeGPUMode,onChangePort:this.props.onChangePort,onLoadArchives:this.props.onLoadArchives,project:this.props.project,server:this.props.server,isEditor:this.props.isEditor,context:this.props.context,selectState:this.props.selectState,lab:this.props.lab,allowGrade:r.get(this,"props.project.blueprint.conf.allowGrade",!1)}),scope:this.props.scope,initialState:b.initialState,reducer:g.default})}},{key:"mungeStateForControlBar",value:function(){if(this.props.scopedState)return f({connected:!0,changesSaved:!0},this.props.scopedState)}},{key:"renderTabs",value:function(){var e=r.compact(r.get(this,"props.scopedState.editor.iframes",[])),t="react-tabs__tab-list",n="react-tabs__tab-panel";return e.length<1?null:(1===e.length&&(t+="--hidden",n+="--selected"),w.default.createElement(m.Tabs,{className:T.default["react-tabs"],forceRenderTabPanel:!0},w.default.createElement(m.TabList,{className:T.default[t]},e.map(function(e){return w.default.createElement(m.Tab,{className:T.default["react-tabs__tab"],selectedClassName:T.default["react-tabs__tab--selected"],disabledClassName:T.default["react-tabs__tab--disabled"],key:e.label},w.default.createElement("span",{className:T.default["tab-label"]},e.label))})),e.map(function(e){return w.default.createElement(m.TabPanel,{className:T.default[n],selectedClassName:T.default["react-tabs__tab-panel--selected"],key:e.label,dangerouslySetInnerHTML:{__html:'\n <iframe\n src="'+e.url+'"\n allow="microphone"\n frameborder="0"\n style="height:100%; width:100%;"\n />\n '}})})))}},{key:"render",value:function(){var e=this.props,t=e.onToggleFillsMonitorScreen,n=e.isFullScreenActive,r=e.project.blueprint.conf,o=e.parentNode,i=e.lab,a=i&&i.isPassed,s=i&&i.onGoToNext,l=i&&i.trackReview,c=this.props.server+"/terminals/1";return this.props.scopedState?w.default.createElement("div",{ref:this.setRoot,style:{height:n?"100%":"800px"}},w.default.createElement("div",{className:T.default["jupyter-container"]},this.renderTabs()),w.default.createElement(v.default,{actionButton:w.default.createElement("span",null),allowBackups:!!this.props.onBackupStatus,allowSubmit:r.allowSubmit,fullScreen:this.props.fullScreen,gpuCapable:this.props.gpuCapable,gpuConflictWith:this.props.gpuConflictWith,gpuSecondsRemaining:this.props.gpuSecondsRemaining,isFullScreenActive:n,isGPURunning:this.props.isGPURunning,hasFilesPanel:!1,linkToTerminal:c,masterFilesUpdated:this.props.masterFilesUpdated,onGoToLessons:this.props.onGoToLessons,onGoToReview:a?s:void 0,onNext:this.props.onNext,onReconnect:this.props.onReconnect,onResetFiles:this.props.onResetFiles,onSubmit:this.props.onSubmit,onToggleFillsMonitorScreen:t,parent:this.root,parentNode:o,renderCorners:!0,scope:this.props.scope,scopedState:this.mungeStateForControlBar(),starConnected:this.props.starConnected,trackReview:l})):w.default.createElement("div",{ref:this.setRoot,style:{height:n?"100%":"500px",position:"relative",display:"flex",alignItems:"center",justifyContent:"center"}},w.default.createElement(k.default,{phase:"Starting project"}))}}],[{key:"kind",value:function(){return"jupyter"}},{key:"configurator",value:function(){return F}},{key:"features",value:function(){return{gpu:!0,labs:!1,submit:!0}}}]),t}()).prototype,"startProject",[u],Object.getOwnPropertyDescriptor(d.prototype,"startProject"),d.prototype),p=d))||p)||p);t.default=j}).call(this,n(5),n(4))},2026:function(e,t,n){"use strict";(function(e,r){Object.defineProperty(t,"__esModule",{value:!0}),t.default=void 0;var o,i,a,s,l,c,u,p,d,f,h,m,b,g=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var n=arguments[t];for(var r in n)Object.prototype.hasOwnProperty.call(n,r)&&(e[r]=n[r])}return e},_=function(){function e(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}return function(t,n,r){return n&&e(t.prototype,n),r&&e(t,r),t}}(),v=n(3181),y=A(v),w=n(33),x=A(n(1656)),k=A(n(1665)),C=A(n(1)),E=A(n(1638)),O=A(n(1830)),T=n(1726),S=A(n(1645)),P=n(482),M=A(n(3182)),D=n(483);function A(e){return e&&e.__esModule?e:{default:e}}function R(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function L(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}function I(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}function F(e,t,n,r,o){var i={};return Object.keys(r).forEach(function(e){i[e]=r[e]}),i.enumerable=!!i.enumerable,i.configurable=!!i.configurable,("value"in i||i.initializer)&&(i.writable=!0),i=n.slice().reverse().reduce(function(n,r){return r(e,t,n)||n},i),o&&void 0!==i.initializer&&(i.value=i.initializer?i.initializer.call(o):void 0,i.initializer=void 0),void 0===i.initializer&&(Object.defineProperty(e,t,i),i=null),i}for(var j=[],N=3e3;N<3010;N++)j.push({value:N,label:N});var B=(o=e(M.default),i=(0,P.debounce)(300),a=(0,P.debounce)(300),s=(0,P.debounce)(300),o((F((c=function(e){function t(e){R(this,t);var n=L(this,(t.__proto__||Object.getPrototypeOf(t)).call(this,e));return n.state={defaultPath:n.props.conf.defaultPath,pageStart:n.props.conf.pageStart,pageEnd:n.props.conf.pageEnd},n}return I(t,C.default.Component),_(t,null,[{key:"defaultConf",value:function(){return{defaultPath:"/",ports:[],port:3e3,disk:null,actionButtonText:"",allowSubmit:!1,pageStart:"",pageEnd:""}}},{key:"editorConf",value:function(e){return g({},e,{allowSubmit:!1})}}]),_(t,[{key:"onChangeDefaultPath",value:function(e){this.props.onChangeConf&&this.props.onChangeConf(g({},this.props.conf,{defaultPath:e}))}},{key:"onChangePageStart",value:function(e){this.props.onChangeConf&&this.props.onChangeConf(g({},this.props.conf,{pageStart:e}))}},{key:"onChangePageEnd",value:function(e){this.props.onChangeConf&&this.props.onChangeConf(g({},this.props.conf,{pageEnd:e}))}},{key:"onChangeAllowSubmit",value:function(e){this.props.onChangeConf&&this.props.onChangeConf(g({},this.props.conf,{allowSubmit:e}))}},{key:"onChangeButtonText",value:function(e){this.props.onChangeConf&&this.props.onChangeConf(g({},this.props.conf,{actionButtonText:e}))}},{key:"onChangeDiskConf",value:function(e){this.props.onChangeConf&&this.props.onChangeConf(g({},this.props.conf,{disk:e}))}},{key:"onChangePreviewPort",value:function(e){this.props.onChangeConf&&this.props.onChangeConf(g({},this.props.conf,{port:e}))}},{key:"onChangePorts",value:function(e){this.props.onChangeConf&&this.props.onChangeConf(g({},this.props.conf,{ports:e.map(function(e){return e.value})}))}},{key:"updateDefaultPath",value:function(e){this.setState({defaultPath:e}),this.onChangeDefaultPath(e)}},{key:"updatePageStart",value:function(e){this.setState({pageStart:e}),this.onChangePageStart(e)}},{key:"updatePageEnd",value:function(e){this.setState({pageEnd:e}),this.onChangePageEnd(e)}},{key:"render",value:function(){var e=this,n=Object.assign({},t.defaultConf(),this.props.conf);return C.default.createElement("div",{styleName:"control-panel"},C.default.createElement("h2",null,"Jupyter Configurator"),C.default.createElement("div",{styleName:"controls"},C.default.createElement("div",{styleName:"control"},C.default.createElement(T.TextInput,{id:"open-path",type:"text",label:"Default Open Path:",value:this.state.defaultPath,onChange:function(t){return e.updateDefaultPath(t.target.value)}})),C.default.createElement("div",{styleName:"control"},C.default.createElement(T.TextInput,{id:"page-start",type:"number",label:"Starting page number:",value:this.state.pageStart,onChange:function(t){return e.updatePageStart(t.target.value)}})),C.default.createElement("div",{styleName:"control"},C.default.createElement(T.TextInput,{id:"page-end",type:"number",label:"Ending page number:",value:this.state.pageEnd,onChange:function(t){return e.updatePageEnd(t.target.value)}})),C.default.createElement("div",{styleName:"control"},C.default.createElement(T.TextInput,{id:"ws-conf-button-text",type:"text",label:"Action button text: ",value:n.actionButtonText,onChange:function(t){return e.onChangeButtonText(t.target.value)}})),C.default.createElement("div",{styleName:"control"},C.default.createElement("label",null,"Port for student preview tab: "),C.default.createElement(T.TextInput,{type:"number",required:!0,value:n.port,onChange:function(t){return e.onChangePreviewPort(t.target.value)},min:3e3,max:3009})),C.default.createElement("div",{styleName:"control"},C.default.createElement("label",null,"Other ports to open (e.g. for backend services):"),C.default.createElement(E.default,{multi:!0,name:"open-ports",value:n.ports.map(function(e){return{value:e,label:e}}),options:j,onChange:function(t){return e.onChangePorts(t)}})),C.default.createElement("div",{styleName:"control"},C.default.createElement(w.Checkbox,{label:"Allow students to submit a project from this workspace",checked:n.allowSubmit,onChange:function(t){return e.onChangeAllowSubmit(t.target.checked)}})),C.default.createElement("div",{styleName:"control"},C.default.createElement(k.default,{disk:n.disk,getDisks:this.props.getDisks,mountFiles:this.props.mountFiles,onChange:function(t){return e.onChangeDiskConf(t)}}))))}}]),t}()).prototype,"onChangeDefaultPath",[i],Object.getOwnPropertyDescriptor(c.prototype,"onChangeDefaultPath"),c.prototype),F(c.prototype,"onChangePageStart",[a],Object.getOwnPropertyDescriptor(c.prototype,"onChangePageStart"),c.prototype),F(c.prototype,"onChangePageEnd",[s],Object.getOwnPropertyDescriptor(c.prototype,"onChangePageEnd"),c.prototype),l=c))||l),U=(u=(0,S.default)(),p=(0,D.withReduxScope)(void 0,function(e,t){var n=t.scope;return{preview:function(t){return e((0,v.preview)(n,t))}}}),d=(0,P.debounce)(500),u(f=p((b=m=function(e){function t(){var e,n,r;R(this,t);for(var o=arguments.length,i=Array(o),a=0;a<o;a++)i[a]=arguments[a];return n=r=L(this,(e=t.__proto__||Object.getPrototypeOf(t)).call.apply(e,[this].concat(i))),r.setRoot=function(e){var t=r.root;r.root=e,!t&&r.root&&r.forceUpdate()},L(r,n)}return I(t,C.default.Component),_(t,[{key:"componentDidMount",value:function(){this.startProject(this.props.project)}},{key:"componentWillReceiveProps",value:function(e){this.props.project.isEqual(e.project)||this.startProject(e.project)}},{key:"componentWillUnmount",value:function(){this.props.cancel()}},{key:"startProject",value:function(){this.props.supply({saga:(0,v.makeSaga)({context:this.props.context,onBackupDownload:this.props.onBackupDownload,onBackupStatus:this.props.onBackupStatus,onChangeGPUMode:this.props.onChangeGPUMode,onChangePort:this.props.onChangePort,onLoadArchives:this.props.onLoadArchives,project:this.props.project,selectState:this.props.selectState,server:this.props.server}),scope:this.props.scope,initialState:v.initialState,reducer:y.default})}},{key:"openPreviewTab",value:function(){this.props.preview(this.props.scopedState.editor.url)}},{key:"mungeStateForControlBar",value:function(){if(this.props.scopedState)return g({connected:!0,changesSaved:!0},this.props.scopedState)}},{key:"renderIframe",value:function(){var e=r.get(this,"props.scopedState.editor.iframeUrl"),t=r.get(this,"props.scopedState.iframeChannel.iframeId");return C.default.createElement("div",{style:{height:"100%"},dangerouslySetInnerHTML:{__html:'\n <iframe\n id="'+t+'"\n src="'+e+'"\n allow="microphone"\n frameborder="0"\n style="height:100%; width:100%;"\n />\n '}})}},{key:"render",value:function(){var e=this,t=this.props,n=t.onToggleFillsMonitorScreen,r=t.isFullScreenActive,o=t.project.blueprint.conf,i=t.parentNode,a=this.props.server+"/terminals/1";return this.props.scopedState?C.default.createElement("div",{ref:this.setRoot,style:{height:r?"100%":"800px"}},C.default.createElement("div",{className:M.default["jupyter-container"]},this.renderIframe()),C.default.createElement(x.default,{actionButton:""!==o.actionButtonText&&C.default.createElement(w.Button,{onClick:function(){return e.openPreviewTab()}},o.actionButtonText),allowBackups:!!this.props.onBackupStatus,allowSubmit:o.allowSubmit,fullScreen:this.props.fullScreen,gpuCapable:this.props.gpuCapable,gpuConflictWith:this.props.gpuConflictWith,gpuSecondsRemaining:this.props.gpuSecondsRemaining,hasFilesPanel:!1,isFullScreenActive:r,isGPURunning:this.props.isGPURunning,linkToTerminal:a,masterFilesUpdated:this.props.masterFilesUpdated,onGoToLessons:this.props.onGoToLessons,onNext:this.props.onNext,onReconnect:this.props.onReconnect,onResetFiles:this.props.onResetFiles,onSubmit:this.props.onSubmit,onToggleFillsMonitorScreen:n,parent:this.root,parentNode:i,renderCorners:!0,scope:this.props.scope,scopedState:this.mungeStateForControlBar(),starConnected:this.props.starConnected})):C.default.createElement("div",{ref:this.setRoot,style:{height:r?"100%":"500px",position:"relative",display:"flex",alignItems:"center",justifyContent:"center"}},C.default.createElement(O.default,{phase:"Starting project"}))}}],[{key:"kind",value:function(){return"jupyter-lab"}},{key:"configurator",value:function(){return B}},{key:"features",value:function(){return{gpu:!0,labs:!1,submit:!0}}}]),t}(),m.displayName="blueprints/jupyter-lab",F((h=b).prototype,"startProject",[d],Object.getOwnPropertyDescriptor(h.prototype,"startProject"),h.prototype),f=h))||f)||f);t.default=U}).call(this,n(5),n(4))},2027:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.default=void 0;var r,o,i,a,s,l,c,u=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var n=arguments[t];for(var r in n)Object.prototype.hasOwnProperty.call(n,r)&&(e[r]=n[r])}return e},p=function(){function e(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}return function(t,n,r){return n&&e(t.prototype,n),r&&e(t,r),t}}(),d=n(1770),f=E(d),h=n(1675),m=n(1655),b=n(1723),g=E(b),_=E(n(3183)),v=E(n(1656)),y=E(n(1)),w=E(n(1645)),x=n(482),k=n(1664),C=n(483);function E(e){return e&&e.__esModule?e:{default:e}}function O(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}var T,S,P,M,D,A,R=(r=(0,w.default)(),o=(0,C.withReduxScope)(void 0,function(e,t){var n=t.scope;return{onNewTerminal:function(){return e((0,m.createTerminal)(n))},onDestroyTerminal:function(){return e((0,m.destroyTerminal)(n))},onToggleGradingOverlay:function(){return e((0,k.toggle)(n))}}}),i=(0,x.debounce)(500),r(a=o((c=l=function(e){function t(){var e,n,r;!function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}(this,t);for(var o=arguments.length,i=Array(o),a=0;a<o;a++)i[a]=arguments[a];return n=r=O(this,(e=t.__proto__||Object.getPrototypeOf(t)).call.apply(e,[this].concat(i))),r.setRoot=function(e){var t=r.root;r.root=e,!t&&r.root&&r.forceUpdate()},O(r,n)}return function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}(t,y.default.Component),p(t,[{key:"componentWillMount",value:function(){this.server=new h.Server(this.props.server),this.managers={editor:new h.PanelManager,files:new h.PanelManager,terminal:new h.PanelManager,grading:new h.PanelManager}}},{key:"componentDidMount",value:function(){this.startProject(this.props.project)}},{key:"componentWillReceiveProps",value:function(e){this.props.project.isEqual(e.project)||this.startProject(e.project)}},{key:"componentWillUnmount",value:function(){this.props.cancel()}},{key:"startProject",value:function(e){var t=(0,b.makeSaga)(this.server,this.managers,e,{onBackupDownload:this.props.onBackupDownload,onBackupStatus:this.props.onBackupStatus,onLoadArchives:this.props.onLoadArchives,onChangePort:this.props.onChangePort,onChangeGPUMode:this.props.onChangeGPUMode,lab:this.props.lab,workspaceLocation:this.props.workspaceLocation,selectState:this.props.selectState,context:this.props.context,terminalApi:this.terminal&&this.terminal.api()});this.props.supply({saga:t,scope:this.props.scope,initialState:b.initialState,reducer:g.default})}},{key:"render",value:function(){var e=this,t=h.components.Editor,n=h.components.Files,r=h.components.Terminal,o=h.components.Layout,i=this.props,a=i.scopedState,s=i.fullScreen,l=i.isFullScreenActive,c=i.project.blueprint.conf,p=a&&a.grade,m=y.default.createElement(t,{server:this.server,manager:this.managers.editor,filesManager:this.managers.files,allowClose:c.allowClose,saveOnClose:!0}),b=y.default.createElement(n,{server:this.server,manager:this.managers.files,editorManager:this.managers.editor}),g=y.default.createElement(r,{ref:function(t){return e.terminal=t},server:this.server,manager:this.managers.terminal,allowClose:c.allowClose,onNewTerminal:this.props.onNewTerminal,onDestroyTerminal:this.props.onDestroyTerminal}),_=y.default.createElement(f.default,{scope:this.props.scope,manager:this.managers.grading,grading:p,lab:this.props.lab,onToggle:this.props.onToggleGradingOverlay}),w=y.default.createElement(d.GradingPreview,{scope:this.props.scope,grading:p,onToggle:this.props.onToggleGradingOverlay}),x=p&&p.isOpen,k=this.props.lab&&!x;return y.default.createElement("div",{ref:this.setRoot,style:{height:l?"100%":"500px",position:"relative"}},y.default.createElement("div",{style:u({position:"relative",height:"calc(100% - 48px)"},this.props.styles),className:"scoped-bootstrap student-workspace "+(l?"":"inline attached")},y.default.createElement("div",{className:"theme_dark",style:{height:"100%"},"data-test":"web-terminal-client"},y.default.createElement(o,{layout:{override:!0,is_hidden:{files:!c.showFiles,grading:!x,terminal:x,editor:!c.showEditor},maximized:"",layout:{type:"horizontal",parts:[{weight:1,key:"files",component:b},{weight:l?5:3,type:"vertical",parts:[{weight:1,key:"editor",component:m},{weight:1,key:"terminal",component:g},{weight:1,key:"grading",component:_}]}]}}}))),y.default.createElement(v.default,{actionButton:y.default.createElement("span",null),allowBackups:!!this.props.onBackupStatus,allowGrade:!!this.props.lab,allowSubmit:c.allowSubmit,fullScreen:s,gpuCapable:this.props.gpuCapable,gpuConflictWith:this.props.gpuConflictWith,gpuSecondsRemaining:this.props.gpuSecondsRemaining,hasFilesPanel:c.showFiles,isFullScreenActive:this.props.isFullScreenActive,isGPURunning:this.props.isGPURunning,leave:k?w:null,masterFilesUpdated:this.props.masterFilesUpdated,onGoToLessons:this.props.onGoToLessons,onNext:this.props.onNext,onReconnect:this.props.onReconnect,onResetFiles:this.props.onResetFiles,onSubmit:this.props.onSubmit,onToggleFillsMonitorScreen:this.props.onToggleFillsMonitorScreen,parent:this.root,parentNode:this.props.parentNode,scope:this.props.scope,scopedState:a,starConnected:this.props.starConnected}))}}],[{key:"kind",value:function(){return"generic"}},{key:"configurator",value:function(){return _.default}},{key:"features",value:function(){return{gpu:!0,labs:!0,submit:!0}}}]),t}(),l.displayName="blueprints/generic",T=(s=c).prototype,S="startProject",P=[i],M=Object.getOwnPropertyDescriptor(s.prototype,"startProject"),D=s.prototype,A={},Object.keys(M).forEach(function(e){A[e]=M[e]}),A.enumerable=!!A.enumerable,A.configurable=!!A.configurable,("value"in A||A.initializer)&&(A.writable=!0),A=P.slice().reverse().reduce(function(e,t){return t(T,S,e)||e},A),D&&void 0!==A.initializer&&(A.value=A.initializer?A.initializer.call(D):void 0,A.initializer=void 0),void 0===A.initializer&&(Object.defineProperty(T,S,A),A=null),a=s))||a)||a);t.default=R},2028:function(e,t,n){"use strict";(function(e){Object.defineProperty(t,"__esModule",{value:!0}),t.default=void 0;var r,o,i,a,s,l,c,u=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var n=arguments[t];for(var r in n)Object.prototype.hasOwnProperty.call(n,r)&&(e[r]=n[r])}return e},p=function(){function e(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}return function(t,n,r){return n&&e(t.prototype,n),r&&e(t,r),t}}(),d=O(n(1)),f=O(n(1645)),h=n(3185),m=O(h),b=n(1655),g=n(1675),_=O(n(3186)),v=O(n(1656)),y=n(1771),w=n(483),x=n(1770),k=O(x),C=n(482),E=n(1664);function O(e){return e&&e.__esModule?e:{default:e}}function T(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}var S,P,M,D,A,R,L=(r=(0,f.default)(),o=(0,w.withReduxScope)(void 0,function(e,t){var n=t.scope;return{onNewTerminal:function(){return e((0,b.createTerminal)(n))},onDestroyTerminal:function(){return e((0,b.destroyTerminal)(n))},onToggleGradingOverlay:function(){return e((0,E.toggle)(n))}}}),i=(0,C.debounce)(500),r(a=o((c=l=function(t){function n(){var e,t,r;!function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}(this,n);for(var o=arguments.length,i=Array(o),a=0;a<o;a++)i[a]=arguments[a];return t=r=T(this,(e=n.__proto__||Object.getPrototypeOf(n)).call.apply(e,[this].concat(i))),r.setRoot=function(e){var t=r.root;r.root=e,!t&&r.root&&r.forceUpdate()},T(r,t)}return function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}(n,d.default.Component),p(n,[{key:"componentWillMount",value:function(){this.server=new g.Server(this.props.server),this.managers={editor:new g.PanelManager,files:new g.PanelManager,terminal:new g.PanelManager,grading:new g.PanelManager}}},{key:"componentDidMount",value:function(){this.startProject(this.props.project)}},{key:"componentWillReceiveProps",value:function(e){this.props.project.isEqual(e.project)||this.startProject(e.project)}},{key:"componentWillUnmount",value:function(){this.props.cancel()}},{key:"startProject",value:function(e){var t=(0,h.makeSaga)(this.server,this.managers,e,{onChangePort:this.props.onChangePort,onBackupDownload:this.props.onBackupDownload,onBackupStatus:this.props.onBackupStatus,onLoadArchives:this.props.onLoadArchives,onChangeGPUMode:this.props.onChangeGPUMode,workspaceLocation:this.props.workspaceLocation,selectState:this.props.selectState,context:this.props.context,isEditor:this.props.isEditor,terminalApi:this.terminal.api(),lab:this.props.lab});this.props.supply({saga:t,scope:this.props.scope,initialState:h.initialState,reducer:m.default})}},{key:"render",value:function(){var t=this,n=g.components.Editor,r=g.components.Terminal,o=g.components.Files,i=g.components.Layout,a=this.props,s=a.scopedState,l=a.isFullScreenActive,c=a.project.blueprint.conf,p=s&&s.grade,f=d.default.createElement(n,{server:this.server,manager:this.managers.editor,filesManager:this.managers.files,allowClose:c.allowClose,saveOnClose:!0}),h=d.default.createElement(o,{server:this.server,manager:this.managers.files,editorManager:this.managers.editor}),m=d.default.createElement(y.HtmlPanel,{url:e.get(this,"props.scopedState.iframeDaemon.url"),iframeControl:e.get(this,"props.scopedState.iframeDaemon.renderControl"),originUrl:this.server.url}),b=d.default.createElement(r,{ref:function(e){return t.terminal=e},server:this.server,manager:this.managers.terminal,allowClose:c.allowClose,onNewTerminal:this.props.onNewTerminal,onDestroyTerminal:this.props.onDestroyTerminal}),_=d.default.createElement(k.default,{scope:this.props.scope,manager:this.managers.grading,grading:p,lab:this.props.lab,onToggle:this.props.onToggleGradingOverlay}),w=d.default.createElement(x.GradingPreview,{scope:this.props.scope,grading:p,onToggle:this.props.onToggleGradingOverlay}),C=p&&p.isOpen,E=this.props.lab&&!C;return d.default.createElement("div",{ref:this.setRoot,style:{height:l?"100%":"500px",position:"relative"}},d.default.createElement("div",{style:u({position:"relative",height:"calc(100% - 48px)"},this.props.styles),className:"scoped-bootstrap student-workspace "+(l?"":"inline attached")},d.default.createElement("div",{className:"theme_dark",style:{height:"100%"}},d.default.createElement(i,{layout:{override:!0,is_hidden:{files:!c.showFiles,terminal:!this.props.isEditor||C,grading:!C},maximized:"",layout:{type:"horizontal",parts:[{weight:.5,key:"files",component:h},{weight:3,type:"vertical",parts:[{weight:2,type:"horizontal",parts:[{weight:1,key:"editor",component:f},{weight:1,key:"html",component:m}]},{weight:1.5,key:"terminal",component:b},{weight:1.5,key:"grading",component:_}]}]}}}))),d.default.createElement(v.default,{actionButton:d.default.createElement("span",null),allowBackups:!!this.props.onBackupStatus&&c.showFiles,allowGrade:!!this.props.lab,allowSubmit:c.allowSubmit,fullScreen:this.props.fullScreen,gpuCapable:this.props.gpuCapable,gpuConflictWith:this.props.gpuConflictWith,gpuSecondsRemaining:this.props.gpuSecondsRemaining,hasFilesPanel:c.showFiles,isFullScreenActive:l,isGPURunning:this.props.isGPURunning,leave:E?w:null,masterFilesUpdated:this.props.masterFilesUpdated,onGoToLessons:this.props.onGoToLessons,onNext:this.props.onNext,onReconnect:this.props.onReconnect,onResetFiles:this.props.onResetFiles,onSubmit:this.props.onSubmit,onToggleFillsMonitorScreen:this.props.onToggleFillsMonitorScreen,parent:this.root,parentNode:this.props.parentNode,scope:this.props.scope,scopedState:s,starConnected:this.props.starConnected}))}}],[{key:"kind",value:function(){return"react-live"}},{key:"configurator",value:function(){return _.default}},{key:"features",value:function(){return{gpu:!0,labs:!0,submit:!0}}}]),n}(),l.displayName="blueprints/react-live",S=(s=c).prototype,P="startProject",M=[i],D=Object.getOwnPropertyDescriptor(s.prototype,"startProject"),A=s.prototype,R={},Object.keys(D).forEach(function(e){R[e]=D[e]}),R.enumerable=!!R.enumerable,R.configurable=!!R.configurable,("value"in R||R.initializer)&&(R.writable=!0),R=M.slice().reverse().reduce(function(e,t){return t(S,P,e)||e},R),A&&void 0!==R.initializer&&(R.value=R.initializer?R.initializer.call(A):void 0,R.initializer=void 0),void 0===R.initializer&&(Object.defineProperty(S,P,R),R=null),a=s))||a)||a);t.default=L}).call(this,n(4))},2029:function(e,t,n){"use strict";var r;Object.defineProperty(t,"__esModule",{value:!0}),t.initialState=t.SET_RENDER_CONTROL=t.SET_URL=void 0;var o=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var n=arguments[t];for(var r in n)Object.prototype.hasOwnProperty.call(n,r)&&(e[r]=n[r])}return e};t.setUrl=d,t.setRenderControl=f,t.saga=m;var i=n(137),a=n(1635),s=n(295),l=regeneratorRuntime.mark(m);function c(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}var u=t.SET_URL="udacity/workspace/iframe-daemon/set-url",p=t.SET_RENDER_CONTROL="udacity/workspace/iframe-daemon/set-render-control";function d(e,t){return{type:u,scope:e,url:t}}function f(e,t){return{type:p,renderControl:t,scope:e}}t.initialState={url:"",renderControl:Date.now()};var h=(0,a.createReducer)(null,(c(r={},u,function(e,t){var n=t.url;return o({},e,{url:n})}),c(r,p,function(e,t){var n=t.renderControl;return o({},e,{renderControl:n})}),r));function m(e,t){var n,r,o,a,c,u,p,h,m,b=t.onChangePort,g=t.scope,_=t.isEditor,v=t.project.blueprint.conf,y=v.port,w=v.daemons;return regeneratorRuntime.wrap(function(t){for(;;)switch(t.prev=t.next){case 0:return t.next=2,(0,i.call)(b,y);case 2:n=t.sent,r=!0,o=!1,a=void 0,t.prev=6,c=w[Symbol.iterator]();case 8:if(r=(u=c.next()).done){t.next=15;break}return p=u.value,t.next=12,(0,i.call)(e.post.bind(e),"daemon/"+p.id,{body:JSON.stringify({cmd:"bash",args:["-c",p.cmd],kill:_})});case 12:r=!0,t.next=8;break;case 15:t.next=21;break;case 17:t.prev=17,t.t0=t.catch(6),o=!0,a=t.t0;case 21:t.prev=21,t.prev=22,!r&&c.return&&c.return();case 24:if(t.prev=24,!o){t.next=27;break}throw a;case 27:return t.finish(24);case 28:return t.finish(21);case 29:h=2e3;case 30:return t.prev=31,t.next=34,(0,i.call)(e.port.bind(e),y,"");case 34:if(!(m=t.sent).ok){t.next=39;break}return t.abrupt("break",51);case 39:console.log("Polling for daemon start, bad response status:",m.status);case 40:t.next=45;break;case 42:t.prev=42,t.t1=t.catch(31),console.log("Polling for daemon start, request error:",t.t1);case 45:return t.prev=45,t.next=48,(0,s.delay)(h);case 48:return t.finish(45);case 49:t.next=30;break;case 51:return t.next=53,(0,i.put)(d(g,n));case 53:return t.t2=i.put,t.t3=f,t.t4=g,t.next=58,(0,i.call)(Date.now);case 58:return t.t5=t.sent,t.t6=(0,t.t3)(t.t4,t.t5),t.next=62,(0,t.t2)(t.t6);case 62:case"end":return t.stop()}},l,this,[[6,17,21,29],[22,,24,28],[31,42,45,49]])}t.default=h},2030:function(e,t,n){"use strict";(function(e){Object.defineProperty(t,"__esModule",{value:!0}),t.default=void 0;var r,o,i,a,s,l,c,u=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var n=arguments[t];for(var r in n)Object.prototype.hasOwnProperty.call(n,r)&&(e[r]=n[r])}return e},p=function(){function e(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}return function(t,n,r){return n&&e(t.prototype,n),r&&e(t,r),t}}(),d=E(n(1)),f=E(n(1645)),h=n(3187),m=E(h),b=n(1655),g=n(1675),_=E(n(3188)),v=E(n(1656)),y=n(1771),w=n(483),x=n(482),k=n(33),C=n(1696);function E(e){return e&&e.__esModule?e:{default:e}}function O(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}var T,S,P,M,D,A,R=(r=(0,f.default)(),o=(0,w.withReduxScope)(void 0,function(e,t){var n=t.scope;return{onNewTerminal:function(){return e((0,b.createTerminal)(n))},onDestroyTerminal:function(){return e((0,b.destroyTerminal)(n))},onFramePostMessage:function(t,r,o){return e((0,C.postMessage)(n,{iframeId:t,message:r,url:o}))},onFrameReady:function(){return e((0,C.iframeReady)(n))}}}),i=(0,x.debounce)(500),r(a=o((c=l=function(t){function n(){var e,t,r;!function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}(this,n);for(var o=arguments.length,i=Array(o),a=0;a<o;a++)i[a]=arguments[a];return t=r=O(this,(e=n.__proto__||Object.getPrototypeOf(n)).call.apply(e,[this].concat(i))),r.setRoot=function(e){var t=r.root;r.root=e,!t&&r.root&&r.forceUpdate()},O(r,t)}return function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}(n,d.default.Component),p(n,[{key:"componentWillMount",value:function(){this.server=new g.Server(this.props.server),this.managers={editor:new g.PanelManager,files:new g.PanelManager,terminal:new g.PanelManager}}},{key:"componentDidMount",value:function(){this.startProject(this.props.project)}},{key:"componentWillReceiveProps",value:function(e){this.props.project.isEqual(e.project)||this.startProject(e.project)}},{key:"componentWillUnmount",value:function(){this.props.cancel()}},{key:"startProject",value:function(e){var t=(0,h.makeSaga)(this.server,this.managers,e,{context:this.props.context,isEditor:this.props.isEditor,onBackupDownload:this.props.onBackupDownload,onBackupStatus:this.props.onBackupStatus,onChangePort:this.props.onChangePort,onLoadArchives:this.props.onLoadArchives,selectState:this.props.selectState,terminalApi:this.terminal&&this.terminal.api(),workspaceLocation:this.props.workspaceLocation});this.props.supply({saga:t,scope:this.props.scope,initialState:h.initialState,reducer:m.default})}},{key:"render",value:function(){var t=this,n=g.components.Editor,r=g.components.Terminal,o=g.components.Files,i=g.components.Layout,a=this.props,s=a.scopedState,l=a.isFullScreenActive,c=a.project.blueprint.conf,p=e.get(s,"iframeChannel.iframeId"),f=e.get(s,"iframeChannel.iframeReady"),h=e.get(s,"iframeDaemon.url"),m=d.default.createElement(n,{server:this.server,manager:this.managers.editor,filesManager:this.managers.files,allowClose:c.allowClose,saveOnClose:!0}),b=d.default.createElement(o,{server:this.server,manager:this.managers.files,editorManager:this.managers.editor}),_=d.default.createElement(y.HtmlPanel,{url:h,originUrl:this.server.url,iframeControl:e.get(s,"iframeDaemon.renderControl"),onFrameReady:this.props.onFrameReady,iframeId:p,iframeReady:f}),w=d.default.createElement(r,{ref:function(e){return t.terminal=e},server:this.server,manager:this.managers.terminal,allowClose:c.allowClose,onNewTerminal:this.props.onNewTerminal,onDestroyTerminal:this.props.onDestroyTerminal}),x=f&&d.default.createElement(k.Button,{onClick:function(){return t.props.onFramePostMessage(p,"run",h)},disabled:!e.get(s,"changesSaved")},"Run Code");return d.default.createElement("div",{ref:this.setRoot,style:{height:l?"100%":"500px",position:"relative"}},d.default.createElement("div",{style:u({position:"relative",height:"calc(100% - 48px)"},this.props.styles),className:"scoped-bootstrap student-workspace "+(l?"":"inline attached")},d.default.createElement("div",{className:"theme_dark",style:{height:"100%"}},d.default.createElement(i,{layout:{override:!0,is_hidden:{files:!c.showFiles,terminal:!this.props.isEditor,grading:!0},maximized:"",layout:{type:"horizontal",parts:[{weight:.5,key:"files",component:b},{weight:3,type:"vertical",parts:[{weight:2,type:"horizontal",parts:[{weight:1,key:"editor",component:m},{weight:1,key:"html",component:_}]},{weight:1.5,key:"terminal",component:w}]}]}}}))),d.default.createElement(v.default,{actionButton:x,allowBackups:!!this.props.onBackupStatus&&c.showFiles,fullScreen:this.props.fullScreen,hasFilesPanel:c.showFiles,isFullScreenActive:l,masterFilesUpdated:this.props.masterFilesUpdated,onGoToLessons:this.props.onGoToLessons,onNext:this.props.onNext,onReconnect:this.props.onReconnect,onResetFiles:this.props.onResetFiles,onToggleFillsMonitorScreen:this.props.onToggleFillsMonitorScreen,parent:this.root,parentNode:this.props.parentNode,scope:this.props.scope,scopedState:s,starConnected:this.props.starConnected}))}}],[{key:"kind",value:function(){return"custom-iframe-app"}},{key:"configurator",value:function(){return _.default}},{key:"features",value:function(){return{gpu:!1,labs:!1,submit:!1}}}]),n}(),l.displayName="blueprints/custom-iframe-app",T=(s=c).prototype,S="startProject",P=[i],M=Object.getOwnPropertyDescriptor(s.prototype,"startProject"),D=s.prototype,A={},Object.keys(M).forEach(function(e){A[e]=M[e]}),A.enumerable=!!A.enumerable,A.configurable=!!A.configurable,("value"in A||A.initializer)&&(A.writable=!0),A=P.slice().reverse().reduce(function(e,t){return t(T,S,e)||e},A),D&&void 0!==A.initializer&&(A.value=A.initializer?A.initializer.call(D):void 0,A.initializer=void 0),void 0===A.initializer&&(Object.defineProperty(T,S,A),A=null),a=s))||a)||a);t.default=R}).call(this,n(4))},2031:function(e,t,n){"use strict";var r;Object.defineProperty(t,"__esModule",{value:!0});var o=f(n(2030)),i=f(n(2027)),a=f(n(1771)),s=f(n(2025)),l=f(n(2026)),c=f(n(1841)),u=f(n(2028)),p=f(n(2022)),d=f(n(2024));function f(e){return e&&e.__esModule?e:{default:e}}function h(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}t.default=(h(r={},a.default.kind(),a.default),h(r,c.default.kind(),c.default),h(r,p.default.kind(),p.default),h(r,d.default.kind(),d.default),h(r,s.default.kind(),s.default),h(r,l.default.kind(),l.default),h(r,i.default.kind(),i.default),h(r,u.default.kind(),u.default),h(r,o.default.kind(),o.default),r)},2032:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.AssertionError=void 0,t.default=function(e,t){if(!e)throw new a(t)};var r,o=n(3190),i=(r=o)&&r.__esModule?r:{default:r};var a=t.AssertionError=function(e){function t(){!function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}(this,t);var e="Assertion Error at "+(new Error).stack.split("\n").map(function(e){return e.trim()})[3].split(" ")[1];return function(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}(this,(t.__proto__||Object.getPrototypeOf(t)).call(this,e))}return function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}(t,i.default),t}()},2939:function(e,t,n){"use strict";(function(e,r,o){Object.defineProperty(t,"__esModule",{value:!0}),t.default=void 0;var i,a,s,l=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var n=arguments[t];for(var r in n)Object.prototype.hasOwnProperty.call(n,r)&&(e[r]=n[r])}return e},c=function(){function e(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}return function(t,n,r){return n&&e(t.prototype,n),r&&e(t,r),t}}(),u=n(1985),p=O(n(1986)),d=O(n(1987)),f=n(2945),h=n(1989),m=O(h),b=O(n(2948)),g=O(n(1830)),_=n(1718),v=n(2952),y=O(n(2953)),w=O(n(0)),x=O(n(1)),k=n(1675),C=O(n(3133)),E=n(483);function O(e){return e&&e.__esModule?e:{default:e}}var T=6e4;function S(){var t=void 0,n=void 0;return{promise:new e(function(e,r){t=e,n=r}),resolve:t,reject:n}}var P=(0,E.withReduxScope)(void 0,function(e,t){var n=t.scope;return{onStarResp:function(t){return e((0,v.updateStar)(n,t))},connectionLost:function(t){return e((0,v.connectionLost)(n,t))}}},null,{withRef:!0})(i=r(C.default,{allowMultiple:!0})((s=a=function(t){function n(t){!function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}(this,n);var r=function(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}(this,(n.__proto__||Object.getPrototypeOf(n)).call(this,t));return r.rateLimitRetry=function(){r.setState({error:"",isLoading:!0,showRateLimitRetry:!1}),r.initialFetch()},r.initialFetch=function(){var e=r.props,t=e.enableGrading,n=e.gpuCapable;if(r.isEditor){var o=[],i=!1;n&&o.push(h.FLAGS.CPU),t&&o.push(h.FLAGS.GRADABLE),r.props.provisionKey&&(i=!0),r._fetch({flags:o,masterFilesExpected:i}).then(r._initializeStar).catch(r._handleError)}else r._fetch().then(r._initializeStar).catch(r._handleError)},r.getLoadingStatus=function(){var e=o.get(r,"props.scopedState.response")||{},t=e.state,n=e.progress,i=e.terminating;return{phase:t,progress:n,queuePosition:e.queuePosition,terminating:i||"deleting"===t}},r.isNewAtom=function(){return r.isEditor&&!r.props.provisionKey},r.postSave=function(){return r.setState({overlayMessage:"Publishing your changes..."}),r.Service.promoteFiles().then(function(){return r.setState({overlayMessage:""})}).catch(function(e){throw r.setState({overlayMessage:""}),e})},r.handleActive=function(){r._healthCheck({fromIdle:!0})},r._healthCheck=function(){var e=(arguments.length>0&&void 0!==arguments[0]?arguments[0]:{}).fromIdle,t=e?0:1*T,n=e?r._handleIdleError:r._handleError;r.activityTracker.isIdle||(r.cancelHealthCheck(),r.timeoutInterval=setTimeout(function(){var e=o.get(r,"props.scopedState.response.terminating"),t=o.get(r,"props.scopedState.response.state"),i=o.get(r,"props.scopedState.response");if(t&&!e)return r.Service.keepAlive().then(r._initializeStar).catch(n);r.state.starId&&i&&console.warn("Cancelling health checks for "+r.state.starId,"The resp: "+i+", has state: "+t+", and terminating: "+e+".")},t))},r._initializeStar=function(t){return r.shouldStopPolling?e.resolve({status:"cancelled"}):r._maybeProvision(t).then(r._maybeBounce).then(r._maybeCheckGPU).then(r._finishLoading).catch(r._handleError)},r._maybeProvision=function(t){var n=r.state.starId;return n&&t.starId===n?e.resolve(t):r._provision(t)},r._maybeBounce=function(t){return r.state.bounced?e.resolve(t):(r.setState({bounced:!0}),r._bounce(t).then(function(){return t}))},r._maybeCheckGPU=function(t){return r.props.gpuCapable?r._getGPUStatus(t):e.resolve(t)},r.cancelHealthCheck=function(){clearTimeout(r.timeoutInterval),r.timeoutInterval=null},r._fetch=function(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},t=e.flags,n=e.masterFilesExpected;return r.cancelHealthCheck(),r.Service.fetch({flags:t,masterFilesExpected:n})},r._provision=function(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},t=e.token,n=e.address,o=e.port;if(r.setState({promiseServerDomain:S(),server:null}),!t)throw new Error("Missing token required to provision machine.");var i=r._getServerUrl({domain:n,port:o});return(0,h.provision)({token:t,url:i}).then(function(){return e.url=i,e})},r._bounce=function(e){var t=e.address,n=r._getServerUrl({domain:t});return(0,h.bounce)({url:n})},r._finishLoading=function(e){var t=e.address,n=e.gpuConflictWith,o=e.gpuSecondsRemaining,i=e.isGPURunning,a=e.masterFiles,s=e.starId,l=e.token,c=e.workspaceFiles;r._healthCheck(),r.state.promiseServerDomain.resolve(t),r.setState({dateOfMasterFiles:(0,h.getFileDate)(a),dateOfUserFiles:(0,h.getFileDate)(c),domain:t,error:"",gpuConflictWith:n,gpuSecondsRemaining:o,isGPUMeterError:!1,isGPUOutOfTime:!1,isGPURunning:i,isLoading:!1,starId:s,token:l})},r.getCurrentGPUFlag=function(){return r.state.isGPURunning?[h.FLAGS.GPU]:r.props.gpuCapable?[h.FLAGS.CPU]:[]},r.provideLabPropsIfEnabled=function(){if(r.props.enableGrading){var e=r.handleGradeConnect;return r.isEditor?{onConnect:e}:{isPassed:r.props.isPassedLab,onConnect:e,onGoToNext:r.props.onLabAdvance,onGrade:r.props.onLabGrade,trackReview:r.props.trackReview,trackGrade:r.props.trackGrade}}},r._getServerUrl=function(e){var t=e.domain,n=e.port,o=r.props.provisionerId;if(!t||!o)throw Error('Unable to construct URL without a domain, "'+t+'", and subdomain, "'+o+'"');return r.isEditor&&(o="coco"+o),n?"https://"+o+"-"+n+"."+t:"https://"+o+"."+t},r._handleError=function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{};if(!(0,_.isRateLimitError)(t)){if((0,_.isMeterError)(t))return r.Service.getGPUMeter().then(function(e){r.setState({isLoading:!1,isGPUMeterError:!0,isGPURunning:!!e.starId,gpuSecondsRemaining:e.secondsRemaining,gpuConflictWith:e.starId})}).catch(r._handleError);if((0,_.isGPUTimeExpired)(t))return r.setState({isLoading:!1,isGPUOutOfTime:!0}),r._fetch({flags:[h.FLAGS.CPU]}).then(r._initializeStar).catch(r._handleError);if((0,_.isGPUConflictError)(t)){var n=t.conflictingStarUrl;return r.setState({isLoading:!0}),r.Service.delete({url:n}).then(function(){return r._fetch({flags:[h.FLAGS.GPU]})}).then(r._initializeStar).catch(r._handleError)}return r.setState({isLoading:!1,error:t}),e.reject(t)}r.setState({isLoading:!1,showRateLimitRetry:!0,error:t})},r._handleIdleError=function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{};return(0,_.isResourceNotFoundError)(t)?e.resolve():r._handleError(t)},r.handleChangeGPUMode=function(e){if(r.isEditor)return alert("GPU support may only be enabled from a classroom.\n In order to test the GPU, click VIEW IN CLASSROOM, and then ENABLE gpu in the workspace");var t=e?[h.FLAGS.GPU]:[h.FLAGS.CPU];r.props.onStarResp(null),r.setState({isLoading:!0});var n=r.state.starId;return n?r.Service.delete({starId:n}).then(function(){return r._fetch({flags:t})}).then(r._initializeStar).catch(r._handleError):r._fetch({flags:t}).then(r._initializeStar).catch(r._handleError)},r.handleBackupDownload=function(e){var t=r.state.domain;return r.Service.backupDownload({starUrl:r._getServerUrl({domain:t}),archive:e})},r.handleBackupStatus=function(e){var t=r.state.domain;return r.Service.backupStatus({starUrl:r._getServerUrl({domain:t}),jobId:e})},r.handleGradeConnect=function(){var e=r.state.domain;return new k.Server(r._getServerUrl({domain:e})).connect("starlabs/")},r.makeServer=function(){return r.state.server?e.resolve(r.state.server):r.state.promiseServerDomain.promise.then(function(e){var t=new k.Server(r._getServerUrl({domain:e}));return r.setState({server:t}),t})},r.mountFilesNotifications=function(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:15,t="Mounting your files. Please wait: "+e;setTimeout(function(){r.shouldStopPolling||(e?(r.setState({overlayMessage:t}),r.mountFilesNotifications(e-1)):r.setState({overlayMessage:""}))},1e3)},r.handleMountFiles=function(e){if(r.isNewAtom())throw(0,_.createWorkspaceError)({unsavedAtom:!0});return r.Service.mountFiles(e).then(function(){return r.mountFilesNotifications()}).catch(r._handleError)},r.handlePort=function(e){var t=r.state,n=t.token,o=t.domain;return r._provision({token:n,address:o,port:e}).then(function(e){return e.url})},r.handleReconnect=function(){return r.setState({isLoading:!0}),r.Service.delete({starId:r.state.starId}).then(function(){var e=r.getCurrentGPUFlag();return r.isEditor&&r.props.enableGrading&&e.push(h.FLAGS.GRADABLE),r._fetch({flags:e})}).then(r._initializeStar).catch(r._handleError)},r.handleResetFiles=function(){if(!r.isEditor){r.setState({isLoading:!0});var e=[h.FLAGS.RESET].concat(function(e){if(Array.isArray(e)){for(var t=0,n=Array(e.length);t<e.length;t++)n[t]=e[t];return n}return Array.from(e)}(r.getCurrentGPUFlag()));return r._fetch({flags:e}).then(r._initializeStar).catch(r._handleError)}alert("This operation is not supported in the Content Creator.\n Use REFRESH WORKSPACE to remove any unsaved changes to the workspace.")},r.handleSubmit=function(t){var n=r.props.projectRubricId;if(r.isEditor)return e.resolve("Can't submit projects from coco.");if(r.props.hasGraduated)return e.resolve("Graduated students may not submit projects");if(!n)return e.resolve("Missing a rubric id. Please contact support");try{var o=r._getServerUrl({domain:r.state.domain})}catch(t){return e.resolve(t)}return r.Service.submitForReview({url:o,rubricId:n,description:t})},r.isEditor=!!r.props.editorSettings,r.state={bounced:!1,error:"",isLoading:!0,overlayMessage:"",server:null,promiseServerDomain:S(),showGPUWelcome:r._isNewToGPU()&&!r.isEditor,showRateLimitRetry:!1},r.activityTracker=new y.default({element:document,events:["visibilitychange","click","keydown","mousemove"],onActive:r.handleActive,timeout:30*T}),r.shouldStopPolling=!1,r.Service=new m.default({isEditor:r.isEditor,nebulaUrl:r.props.nebulaUrl,provisionKey:r.props.provisionKey,provisionerId:r.props.provisionerId,poolId:o.get(r,"props.editorSettings.baseImage"),reviewsUrl:r.props.reviewsUrl,onStarResponse:r.props.onStarResp,connectionLost:r.props.connectionLost,isCancelled:function(){return r.shouldStopPolling}}),r}return function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}(n,x.default.Component),c(n,[{key:"componentDidMount",value:function(){var e=this.props,t=e.nebulaUrl,n=e.supply;this.initialFetch(),this.activityTracker.start(),n({initialState:v.initialState,reducer:v.reducer,saga:(0,v.makeSaga)({nebulaUrl:t})})}},{key:"componentWillUnmount",value:function(){this.activityTracker.stop(),this.cancelHealthCheck(),this.shouldStopPolling=!0}},{key:"_getGPUStatus",value:function(t){var n="gpu"===t.meter;return this.Service.getGPUMeter().then(function(r){var o=[t.starId,r.starId],i=o[0],a=o[1],s=i&&a&&i!==a;return e.resolve(l({},t,{isGPURunning:n,gpuSecondsRemaining:r.secondsRemaining,gpuConflictWith:s?a:null}))})}},{key:"_isNewToGPU",value:function(){return this.props.gpuCapable&&!this._shownGPUWelcome()}},{key:"_shownGPUWelcome",value:function(e){return e?(localStorage.setItem("skipWelcome","skip"),this.setState({showGPUWelcome:!1}),!0):!!localStorage.getItem("skipWelcome")}},{key:"getSharedProps",value:function(){var e=this.state.domain,t=e?this._getServerUrl({domain:e}):null,n=new u.Project(this.props.projectConfig);return{context:this.props.context,gpuCapable:this.props.gpuCapable,gpuConflictWith:this.state.gpuConflictWith,gpuSecondsRemaining:this.state.gpuSecondsRemaining,isGPURunning:this.state.isGPURunning,key:this.state.starId,lab:this.provideLabPropsIfEnabled(),onChangeGPUMode:this.handleChangeGPUMode,onChangePort:this.handlePort,onReconnect:this.handleReconnect,onResetFiles:this.handleResetFiles,project:n,selectState:this.props.selectState,address:t,scope:this.props.viewId+"-blueprint",starConnected:o.get(this,"props.scopedState.connected"),viewId:this.props.viewId,workspaceLocation:this.props.provisionerId}}},{key:"getViewerProps",value:function(){var e=this.state,t=e.dateOfMasterFiles,n=t>e.dateOfUserFiles;return l({},this.getSharedProps(),{fullScreen:this.props.isWideLayout?u.blueprintFullScreenConstants.FILLS_BROWSER_WINDOW:null,isEditor:!1,masterFilesUpdated:n?t:void 0,onBackupStatus:this.handleBackupStatus,onBackupDownload:this.handleBackupDownload,onGoToLessons:this.props.onGoToLessons,onLoadArchives:this.Service.getArchives,onNext:this.props.onNextConcept,onSubmit:this.handleSubmit,onToggleFullScreen:this.props.onToggleFullScreen})}},{key:"getEditorProps",value:function(){return l({},this.getSharedProps(),{fullScreen:u.blueprintFullScreenConstants.FILLS_MONITOR_SCREEN,getDisks:this.Service.disks,isEditor:!0,makeServer:this.makeServer,mountFiles:this.handleMountFiles,onChangeProjectConf:this.props.onChangeProjectConf,onChangeName:this.props.onChangeWorkspaceName,workspaceName:this.props.workspaceName,overlayMessage:this.state.overlayMessage,editorSettings:this.props.editorSettings})}},{key:"render",value:function(){var e=this,t=this.state,n=t.error,r=t.isGPUMeterError,o=t.isGPUOutOfTime,i=t.isLoading,a=t.showGPUWelcome,s=t.showRateLimitRetry,c=this.props,u=c.ErrorComponent,h=c.FetchGPUModal,m=c.GPUOutOfTimeComponent,_=c.GPUWelcomeModal,v=c.isWideLayout,y=c.fullScreenHeightOffset,w=void 0,k=void 0;this.isEditor?(w=d.default,k=this.getEditorProps()):(w=p.default,k=this.getViewerProps());var C=void 0;v&&(/px|rem/.test(y)?C={height:"calc(100vh - "+y+")"}:(console.warn("Unable to set the correct workspace height with offset: "+y),C={height:"100vh"}));var E=this.getLoadingStatus(),O=E.phase,T=E.progress,S=E.terminating,P=E.queuePosition;return s?x.default.createElement("div",{style:C},x.default.createElement(b.default,{handleRequest:this.rateLimitRetry,error:n})):this.isEditor&&k.project?x.default.createElement("div",null,x.default.createElement(f.EditorSettings,l({},k.editorSettings,{name:k.workspaceName,onChangeName:function(e){return k.onChangeName(e)}})),x.default.createElement(f.Settings,{starId:k.key,project:k.project,address:k.address,makeServer:k.makeServer,onChangeProjectConf:function(e){return k.onChangeProjectConf(e)},getDisks:k.getDisks,mountFiles:k.mountFiles}),i?x.default.createElement("div",{style:C,styleName:"informational"},x.default.createElement(g.default,{handleError:this._handleError,isShuttingDown:S,phase:O,progress:T,queuePosition:P,timeoutThreshold:18e4})):n?x.default.createElement("div",{style:C,styleName:"error"},x.default.createElement(u,{error:n})):x.default.createElement("div",{style:C},x.default.createElement(w,k))):a?x.default.createElement(_,{isOpen:a,close:function(){e._shownGPUWelcome(!0)}}):r?x.default.createElement(h,{isOpen:r,close:function(){return e.setState({isGPUMeterError:!1,isLoading:!0})},fetchCPU:function(){return e.handleChangeGPUMode(!1)},fetchGPU:function(){return e.handleChangeGPUMode(!0)}}):o?x.default.createElement("div",{style:C,styleName:"informational"},x.default.createElement(m,null)):i?x.default.createElement("div",{style:C,styleName:"informational"},x.default.createElement(g.default,{handleError:this._handleError,phase:O,progress:T,queuePosition:P,isShuttingDown:S,timeoutThreshold:18e4})):n?x.default.createElement("div",{style:C,styleName:"error"},x.default.createElement(u,{error:n})):x.default.createElement("div",{style:C},x.default.createElement(w,k))}}]),n}(),a.displayName="ureact-workspace/provisioner",a.propTypes={analytics:w.default.object,config:w.default.any,editorSettings:w.default.shape({baseImage:w.default.string,template:w.default.string}),gpuCapable:w.default.bool,isPassedLab:w.default.bool,isWideLayout:w.default.bool,localizationFn:w.default.func,nebulaUrl:w.default.string,onAutoAdvance:w.default.func,projectConfig:w.default.object,provisionKey:w.default.shape({atomId:w.default.number,rootId:w.default.number,isDegree:w.default.bool}),reviewsUrl:w.default.string,scope:w.default.string,type:w.default.string,viewId:w.default.string,provisionerId:w.default.string},i=s))||i)||i;t.default=P}).call(this,n(10),n(5),n(4))},2940:function(e,t,n){ /*! * screenfull * v3.3.3 - 2018-09-04 * (c) Sindre Sorhus; MIT License */ !function(){"use strict";var t="undefined"!=typeof window&&void 0!==window.document?window.document:{},n=e.exports,r="undefined"!=typeof Element&&"ALLOW_KEYBOARD_INPUT"in Element,o=function(){for(var e,n=[["requestFullscreen","exitFullscreen","fullscreenElement","fullscreenEnabled","fullscreenchange","fullscreenerror"],["webkitRequestFullscreen","webkitExitFullscreen","webkitFullscreenElement","webkitFullscreenEnabled","webkitfullscreenchange","webkitfullscreenerror"],["webkitRequestFullScreen","webkitCancelFullScreen","webkitCurrentFullScreenElement","webkitCancelFullScreen","webkitfullscreenchange","webkitfullscreenerror"],["mozRequestFullScreen","mozCancelFullScreen","mozFullScreenElement","mozFullScreenEnabled","mozfullscreenchange","mozfullscreenerror"],["msRequestFullscreen","msExitFullscreen","msFullscreenElement","msFullscreenEnabled","MSFullscreenChange","MSFullscreenError"]],r=0,o=n.length,i={};r<o;r++)if((e=n[r])&&e[1]in t){for(r=0;r<e.length;r++)i[n[0][r]]=e[r];return i}return!1}(),i={change:o.fullscreenchange,error:o.fullscreenerror},a={request:function(e){var n=o.requestFullscreen;e=e||t.documentElement,/ Version\/5\.1(?:\.\d+)? Safari\//.test(navigator.userAgent)?e[n]():e[n](r?Element.ALLOW_KEYBOARD_INPUT:{})},exit:function(){t[o.exitFullscreen]()},toggle:function(e){this.isFullscreen?this.exit():this.request(e)},onchange:function(e){this.on("change",e)},onerror:function(e){this.on("error",e)},on:function(e,n){var r=i[e];r&&t.addEventListener(r,n,!1)},off:function(e,n){var r=i[e];r&&t.removeEventListener(r,n,!1)},raw:o};o?(Object.defineProperties(a,{isFullscreen:{get:function(){return Boolean(t[o.fullscreenElement])}},element:{enumerable:!0,get:function(){return t[o.fullscreenElement]}},enabled:{enumerable:!0,get:function(){return Boolean(t[o.fullscreenEnabled])}}}),n?e.exports=a:window.screenfull=a):n?e.exports=!1:window.screenfull=!1}()},2941:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.default=function(e){return e.displayName||e.name||("string"==typeof e&&e.length>0?e:"Unknown")}},2942:function(e,t,n){"use strict";var r={childContextTypes:!0,contextTypes:!0,defaultProps:!0,displayName:!0,getDefaultProps:!0,mixins:!0,propTypes:!0,type:!0},o={name:!0,length:!0,prototype:!0,caller:!0,arguments:!0,arity:!0},i="function"==typeof Object.getOwnPropertySymbols;e.exports=function(e,t,n){if("string"!=typeof t){var a=Object.getOwnPropertyNames(t);i&&(a=a.concat(Object.getOwnPropertySymbols(t)));for(var s=0;s<a.length;++s)if(!(r[a[s]]||o[a[s]]||n&&n[a[s]]))try{e[a[s]]=t[a[s]]}catch(e){}}return e}},2943:function(e,t,n){e.exports={wrapper:"blueprint-fullscreen--wrapper--2voit"}},2944:function(e,t,n){},2945:function(e,t,n){"use strict";(function(e,r){Object.defineProperty(t,"__esModule",{value:!0}),t.Settings=t.EditorSettings=void 0;var o,i,a,s,l,c=function(){function e(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}return function(t,n,r){return n&&e(t.prototype,n),r&&e(t,r),t}}(),u=m(n(1)),p=m(n(0)),d=m(n(1988)),f=n(33),h=n(482);function m(e){return e&&e.__esModule?e:{default:e}}function b(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function g(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}function _(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}t.EditorSettings=e(d.default)((a=i=function(e){function t(e){b(this,t);var n=g(this,(t.__proto__||Object.getPrototypeOf(t)).call(this,e));return n.handleChangeName=function(e){n.setState({name:e}),n.updateName(e)},n.updateName=r.debounce(function(e){var t=(0,h.invalidNameError)(e);t?n.setState({nameError:t}):(n.setState({nameError:""}),n.props.onChangeName(e))},500).bind(n),n.state={name:n.props.name||"",nameError:""},n}return _(t,u.default.Component),c(t,[{key:"render",value:function(){var e=this,t=this.state.nameError;return u.default.createElement("div",null,u.default.createElement("label",{styleName:"nameLabel"},"Base Image: ",this.props.baseImage||""),u.default.createElement("label",{styleName:"nameLabel"},"Template: ",this.props.template||""),u.default.createElement("label",{styleName:"nameLabel"},"Workspace Name:",u.default.createElement(f.TextInput,{styleName:"nameInput",value:this.state.name,onChange:function(t){return e.handleChangeName(t.target.value)},placeholder:"Name"}),u.default.createElement("p",{styleName:t?"error-message":"hidden"},t)))}}]),t}(),i.propTypes={baseImage:p.default.string,name:p.default.string,onChangeName:p.default.func.isRequired,template:p.default.string},o=a))||o,t.Settings=(l=s=function(e){function t(){return b(this,t),g(this,(t.__proto__||Object.getPrototypeOf(t)).apply(this,arguments))}return _(t,u.default.Component),c(t,[{key:"onChangeConf",value:function(e){var t=this.props.project.setConf(e).serialize();this.props.onChangeProjectConf&&this.props.onChangeProjectConf(t)}},{key:"render",value:function(){var e=this,t=this.props.project.blueprint.Blueprint.configurator();return u.default.createElement(t,{server:this.props.address,starId:this.props.starId,conf:this.props.project.blueprint.conf,onChangeConf:function(t){return e.onChangeConf(t)},getDisks:this.props.getDisks,makeServer:this.props.makeServer,mountFiles:this.props.mountFiles})}}]),t}(),s.propTypes={onChangeProjectConf:p.default.func,project:p.default.shape({blueprint:p.default.shape({Blueprint:p.default.func,conf:p.default.object})}),address:p.default.string,getDisks:p.default.func,mountFiles:p.default.func,server:p.default.string,starId:p.default.string},l)}).call(this,n(5),n(4))},2946:function(e,t,n){"use strict";(function(e){Object.defineProperty(t,"__esModule",{value:!0}),t.ajax=void 0;var r,o;t.ajax=(r=regeneratorRuntime.mark(function e(){var t,n=arguments;return regeneratorRuntime.wrap(function(e){for(;;)switch(e.prev=e.next){case 0:t=2;case 1:if(!(t>=0)){e.next=20;break}return e.prev=2,e.next=5,i.default.ajax.apply(i.default,n);case 5:return e.abrupt("return",e.sent);case 8:if(e.prev=8,e.t0=e.catch(2),0!==t){e.next=12;break}return e.abrupt("return",e.t0);case 12:if(!(399<e.t0.status&&e.t0.status<600)){e.next=14;break}return e.abrupt("return",e.t0);case 14:return console.error("Network retry after error. Status: "+e.t0.status+". "+(e.t0.responseJSON||e.t0.responseText||JSON.stringify(e.t0))),e.next=17,h(1e3);case 17:t--,e.next=1;break;case 20:case"end":return e.stop()}},e,this,[[2,8]])}),o=function(){var t=r.apply(this,arguments);return new e(function(n,r){return function o(i,a){try{var s=t[i](a),l=s.value}catch(e){return void r(e)}if(!s.done)return e.resolve(l).then(function(e){o("next",e)},function(e){o("throw",e)});n(l)}("next")})},function(){return o.apply(this,arguments)});t.getReq=function(e){var t=e.url,n=e.data;return m({type:u,url:t,data:n})},t.putReq=function(e){var t=e.url,n=e.data,r=e.opts;return m({type:p,url:t,data:n,opts:r})},t.postReq=function(e){var t=e.url,n=e.data,r=e.opts;return m({type:d,url:t,data:n,opts:r})},t.deleteReq=function(e){var t=e.url;return m({type:f,url:t})},t.addFlags=function(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:[];return b(arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},function(t){return a.default.uniq([].concat(c(t),c(e)))})},t.removeFlags=function(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:[];return b(arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},function(t){return a.default.difference(t,e)})};var i=l(n(2947)),a=l(n(4)),s=function(e){if(e&&e.__esModule)return e;var t={};if(null!=e)for(var n in e)Object.prototype.hasOwnProperty.call(e,n)&&(t[n]=e[n]);return t.default=e,t}(n(1990));function l(e){return e&&e.__esModule?e:{default:e}}function c(e){if(Array.isArray(e)){for(var t=0,n=Array(e.length);t<e.length;t++)n[t]=e[t];return n}return Array.from(e)}var u="GET",p="PUT",d="POST",f="DELETE",h=function(t){return new e(function(e){return setTimeout(e,t)})};function m(e){var t=e.type,n=e.url,r=e.data,o=e.opts,i=void 0===o?{}:o;if(!n)throw new Error("Missing url to make a "+t+" request.");var a=i.timeout,l=void 0===a?0:a,c=i.authorizationHeader,u=void 0===c||c,f=s.getAuthToken(),h={Accept:"application/json",Authorization:"Bearer "+f};if(t!==p&&t!==d||(r=JSON.stringify(r||{})),u){if(!f)throw new Error(t+" request to "+n+" requires a JWT but none is present")}else delete h.Authorization;return{url:n,type:t,data:r,headers:h,timeout:l,dataType:"json",contentType:"application/json; charset=UTF-8"}}function b(e,t){var n=a.default.cloneDeep(e);if(!n.data)throw Error("Unable to edit flags in a request with no data");var r=JSON.parse(n.data);return r.flags=t(r.flags||[]),n.data=JSON.stringify(r),n}}).call(this,n(10))},2947:function(e,t,n){var r; /*! * jQuery JavaScript Library v3.2.1 * https://jquery.com/ * * Includes Sizzle.js * https://sizzlejs.com/ * * Copyright JS Foundation and other contributors * Released under the MIT license * https://jquery.org/license * * Date: 2017-03-20T18:59Z */ /*! * jQuery JavaScript Library v3.2.1 * https://jquery.com/ * * Includes Sizzle.js * https://sizzlejs.com/ * * Copyright JS Foundation and other contributors * Released under the MIT license * https://jquery.org/license * * Date: 2017-03-20T18:59Z */ !function(t,n){"use strict";"object"==typeof e.exports?e.exports=t.document?n(t,!0):function(e){if(!e.document)throw new Error("jQuery requires a window with a document");return n(e)}:n(t)}("undefined"!=typeof window?window:this,function(n,o){"use strict";var i=[],a=n.document,s=Object.getPrototypeOf,l=i.slice,c=i.concat,u=i.push,p=i.indexOf,d={},f=d.toString,h=d.hasOwnProperty,m=h.toString,b=m.call(Object),g={};function _(e,t){var n=(t=t||a).createElement("script");n.text=e,t.head.appendChild(n).parentNode.removeChild(n)}var v=function(e,t){return new v.fn.init(e,t)},y=/^[\s\uFEFF\xA0]+|[\s\uFEFF\xA0]+$/g,w=/^-ms-/,x=/-([a-z])/g,k=function(e,t){return t.toUpperCase()};function C(e){var t=!!e&&"length"in e&&e.length,n=v.type(e);return"function"!==n&&!v.isWindow(e)&&("array"===n||0===t||"number"==typeof t&&t>0&&t-1 in e)}v.fn=v.prototype={jquery:"3.2.1",constructor:v,length:0,toArray:function(){return l.call(this)},get:function(e){return null==e?l.call(this):e<0?this[e+this.length]:this[e]},pushStack:function(e){var t=v.merge(this.constructor(),e);return t.prevObject=this,t},each:function(e){return v.each(this,e)},map:function(e){return this.pushStack(v.map(this,function(t,n){return e.call(t,n,t)}))},slice:function(){return this.pushStack(l.apply(this,arguments))},first:function(){return this.eq(0)},last:function(){return this.eq(-1)},eq:function(e){var t=this.length,n=+e+(e<0?t:0);return this.pushStack(n>=0&&n<t?[this[n]]:[])},end:function(){return this.prevObject||this.constructor()},push:u,sort:i.sort,splice:i.splice},v.extend=v.fn.extend=function(){var e,t,n,r,o,i,a=arguments[0]||{},s=1,l=arguments.length,c=!1;for("boolean"==typeof a&&(c=a,a=arguments[s]||{},s++),"object"==typeof a||v.isFunction(a)||(a={}),s===l&&(a=this,s--);s<l;s++)if(null!=(e=arguments[s]))for(t in e)n=a[t],a!==(r=e[t])&&(c&&r&&(v.isPlainObject(r)||(o=Array.isArray(r)))?(o?(o=!1,i=n&&Array.isArray(n)?n:[]):i=n&&v.isPlainObject(n)?n:{},a[t]=v.extend(c,i,r)):void 0!==r&&(a[t]=r));return a},v.extend({expando:"jQuery"+("3.2.1"+Math.random()).replace(/\D/g,""),isReady:!0,error:function(e){throw new Error(e)},noop:function(){},isFunction:function(e){return"function"===v.type(e)},isWindow:function(e){return null!=e&&e===e.window},isNumeric:function(e){var t=v.type(e);return("number"===t||"string"===t)&&!isNaN(e-parseFloat(e))},isPlainObject:function(e){var t,n;return!(!e||"[object Object]"!==f.call(e))&&(!(t=s(e))||"function"==typeof(n=h.call(t,"constructor")&&t.constructor)&&m.call(n)===b)},isEmptyObject:function(e){var t;for(t in e)return!1;return!0},type:function(e){return null==e?e+"":"object"==typeof e||"function"==typeof e?d[f.call(e)]||"object":typeof e},globalEval:function(e){_(e)},camelCase:function(e){return e.replace(w,"ms-").replace(x,k)},each:function(e,t){var n,r=0;if(C(e))for(n=e.length;r<n&&!1!==t.call(e[r],r,e[r]);r++);else for(r in e)if(!1===t.call(e[r],r,e[r]))break;return e},trim:function(e){return null==e?"":(e+"").replace(y,"")},makeArray:function(e,t){var n=t||[];return null!=e&&(C(Object(e))?v.merge(n,"string"==typeof e?[e]:e):u.call(n,e)),n},inArray:function(e,t,n){return null==t?-1:p.call(t,e,n)},merge:function(e,t){for(var n=+t.length,r=0,o=e.length;r<n;r++)e[o++]=t[r];return e.length=o,e},grep:function(e,t,n){for(var r=[],o=0,i=e.length,a=!n;o<i;o++)!t(e[o],o)!==a&&r.push(e[o]);return r},map:function(e,t,n){var r,o,i=0,a=[];if(C(e))for(r=e.length;i<r;i++)null!=(o=t(e[i],i,n))&&a.push(o);else for(i in e)null!=(o=t(e[i],i,n))&&a.push(o);return c.apply([],a)},guid:1,proxy:function(e,t){var n,r,o;if("string"==typeof t&&(n=e[t],t=e,e=n),v.isFunction(e))return r=l.call(arguments,2),(o=function(){return e.apply(t||this,r.concat(l.call(arguments)))}).guid=e.guid=e.guid||v.guid++,o},now:Date.now,support:g}),"function"==typeof Symbol&&(v.fn[Symbol.iterator]=i[Symbol.iterator]),v.each("Boolean Number String Function Array Date RegExp Object Error Symbol".split(" "),function(e,t){d["[object "+t+"]"]=t.toLowerCase()});var E= /*! * Sizzle CSS Selector Engine v2.3.3 * https://sizzlejs.com/ * * Copyright jQuery Foundation and other contributors * Released under the MIT license * http://jquery.org/license * * Date: 2016-08-08 */ function(e){var t,n,r,o,i,a,s,l,c,u,p,d,f,h,m,b,g,_,v,y="sizzle"+1*new Date,w=e.document,x=0,k=0,C=ae(),E=ae(),O=ae(),T=function(e,t){return e===t&&(p=!0),0},S={}.hasOwnProperty,P=[],M=P.pop,D=P.push,A=P.push,R=P.slice,L=function(e,t){for(var n=0,r=e.length;n<r;n++)if(e[n]===t)return n;return-1},I="checked|selected|async|autofocus|autoplay|controls|defer|disabled|hidden|ismap|loop|multiple|open|readonly|required|scoped",F="[\\x20\\t\\r\\n\\f]",j="(?:\\\\.|[\\w-]|[^\0-\\xa0])+",N="\\["+F+"*("+j+")(?:"+F+"*([*^$|!~]?=)"+F+"*(?:'((?:\\\\.|[^\\\\'])*)'|\"((?:\\\\.|[^\\\\\"])*)\"|("+j+"))|)"+F+"*\\]",B=":("+j+")(?:\\((('((?:\\\\.|[^\\\\'])*)'|\"((?:\\\\.|[^\\\\\"])*)\")|((?:\\\\.|[^\\\\()[\\]]|"+N+")*)|.*)\\)|)",U=new RegExp(F+"+","g"),W=new RegExp("^"+F+"+|((?:^|[^\\\\])(?:\\\\.)*)"+F+"+$","g"),H=new RegExp("^"+F+"*,"+F+"*"),$=new RegExp("^"+F+"*([>+~]|"+F+")"+F+"*"),z=new RegExp("="+F+"*([^\\]'\"]*?)"+F+"*\\]","g"),q=new RegExp(B),K=new RegExp("^"+j+"$"),G={ID:new RegExp("^#("+j+")"),CLASS:new RegExp("^\\.("+j+")"),TAG:new RegExp("^("+j+"|[*])"),ATTR:new RegExp("^"+N),PSEUDO:new RegExp("^"+B),CHILD:new RegExp("^:(only|first|last|nth|nth-last)-(child|of-type)(?:\\("+F+"*(even|odd|(([+-]|)(\\d*)n|)"+F+"*(?:([+-]|)"+F+"*(\\d+)|))"+F+"*\\)|)","i"),bool:new RegExp("^(?:"+I+")$","i"),needsContext:new RegExp("^"+F+"*[>+~]|:(even|odd|eq|gt|lt|nth|first|last)(?:\\("+F+"*((?:-\\d)?\\d*)"+F+"*\\)|)(?=[^-]|$)","i")},V=/^(?:input|select|textarea|button)$/i,X=/^h\d$/i,Y=/^[^{]+\{\s*\[native \w/,J=/^(?:#([\w-]+)|(\w+)|\.([\w-]+))$/,Q=/[+~]/,Z=new RegExp("\\\\([\\da-f]{1,6}"+F+"?|("+F+")|.)","ig"),ee=function(e,t,n){var r="0x"+t-65536;return r!=r||n?t:r<0?String.fromCharCode(r+65536):String.fromCharCode(r>>10|55296,1023&r|56320)},te=/([\0-\x1f\x7f]|^-?\d)|^-$|[^\0-\x1f\x7f-\uFFFF\w-]/g,ne=function(e,t){return t?"\0"===e?"�":e.slice(0,-1)+"\\"+e.charCodeAt(e.length-1).toString(16)+" ":"\\"+e},re=function(){d()},oe=_e(function(e){return!0===e.disabled&&("form"in e||"label"in e)},{dir:"parentNode",next:"legend"});try{A.apply(P=R.call(w.childNodes),w.childNodes),P[w.childNodes.length].nodeType}catch(e){A={apply:P.length?function(e,t){D.apply(e,R.call(t))}:function(e,t){for(var n=e.length,r=0;e[n++]=t[r++];);e.length=n-1}}}function ie(e,t,r,o){var i,s,c,u,p,h,g,_=t&&t.ownerDocument,x=t?t.nodeType:9;if(r=r||[],"string"!=typeof e||!e||1!==x&&9!==x&&11!==x)return r;if(!o&&((t?t.ownerDocument||t:w)!==f&&d(t),t=t||f,m)){if(11!==x&&(p=J.exec(e)))if(i=p[1]){if(9===x){if(!(c=t.getElementById(i)))return r;if(c.id===i)return r.push(c),r}else if(_&&(c=_.getElementById(i))&&v(t,c)&&c.id===i)return r.push(c),r}else{if(p[2])return A.apply(r,t.getElementsByTagName(e)),r;if((i=p[3])&&n.getElementsByClassName&&t.getElementsByClassName)return A.apply(r,t.getElementsByClassName(i)),r}if(n.qsa&&!O[e+" "]&&(!b||!b.test(e))){if(1!==x)_=t,g=e;else if("object"!==t.nodeName.toLowerCase()){for((u=t.getAttribute("id"))?u=u.replace(te,ne):t.setAttribute("id",u=y),s=(h=a(e)).length;s--;)h[s]="#"+u+" "+ge(h[s]);g=h.join(","),_=Q.test(e)&&me(t.parentNode)||t}if(g)try{return A.apply(r,_.querySelectorAll(g)),r}catch(e){}finally{u===y&&t.removeAttribute("id")}}}return l(e.replace(W,"$1"),t,r,o)}function ae(){var e=[];return function t(n,o){return e.push(n+" ")>r.cacheLength&&delete t[e.shift()],t[n+" "]=o}}function se(e){return e[y]=!0,e}function le(e){var t=f.createElement("fieldset");try{return!!e(t)}catch(e){return!1}finally{t.parentNode&&t.parentNode.removeChild(t),t=null}}function ce(e,t){for(var n=e.split("|"),o=n.length;o--;)r.attrHandle[n[o]]=t}function ue(e,t){var n=t&&e,r=n&&1===e.nodeType&&1===t.nodeType&&e.sourceIndex-t.sourceIndex;if(r)return r;if(n)for(;n=n.nextSibling;)if(n===t)return-1;return e?1:-1}function pe(e){return function(t){return"input"===t.nodeName.toLowerCase()&&t.type===e}}function de(e){return function(t){var n=t.nodeName.toLowerCase();return("input"===n||"button"===n)&&t.type===e}}function fe(e){return function(t){return"form"in t?t.parentNode&&!1===t.disabled?"label"in t?"label"in t.parentNode?t.parentNode.disabled===e:t.disabled===e:t.isDisabled===e||t.isDisabled!==!e&&oe(t)===e:t.disabled===e:"label"in t&&t.disabled===e}}function he(e){return se(function(t){return t=+t,se(function(n,r){for(var o,i=e([],n.length,t),a=i.length;a--;)n[o=i[a]]&&(n[o]=!(r[o]=n[o]))})})}function me(e){return e&&void 0!==e.getElementsByTagName&&e}for(t in n=ie.support={},i=ie.isXML=function(e){var t=e&&(e.ownerDocument||e).documentElement;return!!t&&"HTML"!==t.nodeName},d=ie.setDocument=function(e){var t,o,a=e?e.ownerDocument||e:w;return a!==f&&9===a.nodeType&&a.documentElement?(h=(f=a).documentElement,m=!i(f),w!==f&&(o=f.defaultView)&&o.top!==o&&(o.addEventListener?o.addEventListener("unload",re,!1):o.attachEvent&&o.attachEvent("onunload",re)),n.attributes=le(function(e){return e.className="i",!e.getAttribute("className")}),n.getElementsByTagName=le(function(e){return e.appendChild(f.createComment("")),!e.getElementsByTagName("*").length}),n.getElementsByClassName=Y.test(f.getElementsByClassName),n.getById=le(function(e){return h.appendChild(e).id=y,!f.getElementsByName||!f.getElementsByName(y).length}),n.getById?(r.filter.ID=function(e){var t=e.replace(Z,ee);return function(e){return e.getAttribute("id")===t}},r.find.ID=function(e,t){if(void 0!==t.getElementById&&m){var n=t.getElementById(e);return n?[n]:[]}}):(r.filter.ID=function(e){var t=e.replace(Z,ee);return function(e){var n=void 0!==e.getAttributeNode&&e.getAttributeNode("id");return n&&n.value===t}},r.find.ID=function(e,t){if(void 0!==t.getElementById&&m){var n,r,o,i=t.getElementById(e);if(i){if((n=i.getAttributeNode("id"))&&n.value===e)return[i];for(o=t.getElementsByName(e),r=0;i=o[r++];)if((n=i.getAttributeNode("id"))&&n.value===e)return[i]}return[]}}),r.find.TAG=n.getElementsByTagName?function(e,t){return void 0!==t.getElementsByTagName?t.getElementsByTagName(e):n.qsa?t.querySelectorAll(e):void 0}:function(e,t){var n,r=[],o=0,i=t.getElementsByTagName(e);if("*"===e){for(;n=i[o++];)1===n.nodeType&&r.push(n);return r}return i},r.find.CLASS=n.getElementsByClassName&&function(e,t){if(void 0!==t.getElementsByClassName&&m)return t.getElementsByClassName(e)},g=[],b=[],(n.qsa=Y.test(f.querySelectorAll))&&(le(function(e){h.appendChild(e).innerHTML="<a id='"+y+"'></a><select id='"+y+"-\r\\' msallowcapture=''><option selected=''></option></select>",e.querySelectorAll("[msallowcapture^='']").length&&b.push("[*^$]="+F+"*(?:''|\"\")"),e.querySelectorAll("[selected]").length||b.push("\\["+F+"*(?:value|"+I+")"),e.querySelectorAll("[id~="+y+"-]").length||b.push("~="),e.querySelectorAll(":checked").length||b.push(":checked"),e.querySelectorAll("a#"+y+"+*").length||b.push(".#.+[+~]")}),le(function(e){e.innerHTML="<a href='' disabled='disabled'></a><select disabled='disabled'><option/></select>";var t=f.createElement("input");t.setAttribute("type","hidden"),e.appendChild(t).setAttribute("name","D"),e.querySelectorAll("[name=d]").length&&b.push("name"+F+"*[*^$|!~]?="),2!==e.querySelectorAll(":enabled").length&&b.push(":enabled",":disabled"),h.appendChild(e).disabled=!0,2!==e.querySelectorAll(":disabled").length&&b.push(":enabled",":disabled"),e.querySelectorAll("*,:x"),b.push(",.*:")})),(n.matchesSelector=Y.test(_=h.matches||h.webkitMatchesSelector||h.mozMatchesSelector||h.oMatchesSelector||h.msMatchesSelector))&&le(function(e){n.disconnectedMatch=_.call(e,"*"),_.call(e,"[s!='']:x"),g.push("!=",B)}),b=b.length&&new RegExp(b.join("|")),g=g.length&&new RegExp(g.join("|")),t=Y.test(h.compareDocumentPosition),v=t||Y.test(h.contains)?function(e,t){var n=9===e.nodeType?e.documentElement:e,r=t&&t.parentNode;return e===r||!(!r||1!==r.nodeType||!(n.contains?n.contains(r):e.compareDocumentPosition&&16&e.compareDocumentPosition(r)))}:function(e,t){if(t)for(;t=t.parentNode;)if(t===e)return!0;return!1},T=t?function(e,t){if(e===t)return p=!0,0;var r=!e.compareDocumentPosition-!t.compareDocumentPosition;return r||(1&(r=(e.ownerDocument||e)===(t.ownerDocument||t)?e.compareDocumentPosition(t):1)||!n.sortDetached&&t.compareDocumentPosition(e)===r?e===f||e.ownerDocument===w&&v(w,e)?-1:t===f||t.ownerDocument===w&&v(w,t)?1:u?L(u,e)-L(u,t):0:4&r?-1:1)}:function(e,t){if(e===t)return p=!0,0;var n,r=0,o=e.parentNode,i=t.parentNode,a=[e],s=[t];if(!o||!i)return e===f?-1:t===f?1:o?-1:i?1:u?L(u,e)-L(u,t):0;if(o===i)return ue(e,t);for(n=e;n=n.parentNode;)a.unshift(n);for(n=t;n=n.parentNode;)s.unshift(n);for(;a[r]===s[r];)r++;return r?ue(a[r],s[r]):a[r]===w?-1:s[r]===w?1:0},f):f},ie.matches=function(e,t){return ie(e,null,null,t)},ie.matchesSelector=function(e,t){if((e.ownerDocument||e)!==f&&d(e),t=t.replace(z,"='$1']"),n.matchesSelector&&m&&!O[t+" "]&&(!g||!g.test(t))&&(!b||!b.test(t)))try{var r=_.call(e,t);if(r||n.disconnectedMatch||e.document&&11!==e.document.nodeType)return r}catch(e){}return ie(t,f,null,[e]).length>0},ie.contains=function(e,t){return(e.ownerDocument||e)!==f&&d(e),v(e,t)},ie.attr=function(e,t){(e.ownerDocument||e)!==f&&d(e);var o=r.attrHandle[t.toLowerCase()],i=o&&S.call(r.attrHandle,t.toLowerCase())?o(e,t,!m):void 0;return void 0!==i?i:n.attributes||!m?e.getAttribute(t):(i=e.getAttributeNode(t))&&i.specified?i.value:null},ie.escape=function(e){return(e+"").replace(te,ne)},ie.error=function(e){throw new Error("Syntax error, unrecognized expression: "+e)},ie.uniqueSort=function(e){var t,r=[],o=0,i=0;if(p=!n.detectDuplicates,u=!n.sortStable&&e.slice(0),e.sort(T),p){for(;t=e[i++];)t===e[i]&&(o=r.push(i));for(;o--;)e.splice(r[o],1)}return u=null,e},o=ie.getText=function(e){var t,n="",r=0,i=e.nodeType;if(i){if(1===i||9===i||11===i){if("string"==typeof e.textContent)return e.textContent;for(e=e.firstChild;e;e=e.nextSibling)n+=o(e)}else if(3===i||4===i)return e.nodeValue}else for(;t=e[r++];)n+=o(t);return n},(r=ie.selectors={cacheLength:50,createPseudo:se,match:G,attrHandle:{},find:{},relative:{">":{dir:"parentNode",first:!0}," ":{dir:"parentNode"},"+":{dir:"previousSibling",first:!0},"~":{dir:"previousSibling"}},preFilter:{ATTR:function(e){return e[1]=e[1].replace(Z,ee),e[3]=(e[3]||e[4]||e[5]||"").replace(Z,ee),"~="===e[2]&&(e[3]=" "+e[3]+" "),e.slice(0,4)},CHILD:function(e){return e[1]=e[1].toLowerCase(),"nth"===e[1].slice(0,3)?(e[3]||ie.error(e[0]),e[4]=+(e[4]?e[5]+(e[6]||1):2*("even"===e[3]||"odd"===e[3])),e[5]=+(e[7]+e[8]||"odd"===e[3])):e[3]&&ie.error(e[0]),e},PSEUDO:function(e){var t,n=!e[6]&&e[2];return G.CHILD.test(e[0])?null:(e[3]?e[2]=e[4]||e[5]||"":n&&q.test(n)&&(t=a(n,!0))&&(t=n.indexOf(")",n.length-t)-n.length)&&(e[0]=e[0].slice(0,t),e[2]=n.slice(0,t)),e.slice(0,3))}},filter:{TAG:function(e){var t=e.replace(Z,ee).toLowerCase();return"*"===e?function(){return!0}:function(e){return e.nodeName&&e.nodeName.toLowerCase()===t}},CLASS:function(e){var t=C[e+" "];return t||(t=new RegExp("(^|"+F+")"+e+"("+F+"|$)"))&&C(e,function(e){return t.test("string"==typeof e.className&&e.className||void 0!==e.getAttribute&&e.getAttribute("class")||"")})},ATTR:function(e,t,n){return function(r){var o=ie.attr(r,e);return null==o?"!="===t:!t||(o+="","="===t?o===n:"!="===t?o!==n:"^="===t?n&&0===o.indexOf(n):"*="===t?n&&o.indexOf(n)>-1:"$="===t?n&&o.slice(-n.length)===n:"~="===t?(" "+o.replace(U," ")+" ").indexOf(n)>-1:"|="===t&&(o===n||o.slice(0,n.length+1)===n+"-"))}},CHILD:function(e,t,n,r,o){var i="nth"!==e.slice(0,3),a="last"!==e.slice(-4),s="of-type"===t;return 1===r&&0===o?function(e){return!!e.parentNode}:function(t,n,l){var c,u,p,d,f,h,m=i!==a?"nextSibling":"previousSibling",b=t.parentNode,g=s&&t.nodeName.toLowerCase(),_=!l&&!s,v=!1;if(b){if(i){for(;m;){for(d=t;d=d[m];)if(s?d.nodeName.toLowerCase()===g:1===d.nodeType)return!1;h=m="only"===e&&!h&&"nextSibling"}return!0}if(h=[a?b.firstChild:b.lastChild],a&&_){for(v=(f=(c=(u=(p=(d=b)[y]||(d[y]={}))[d.uniqueID]||(p[d.uniqueID]={}))[e]||[])[0]===x&&c[1])&&c[2],d=f&&b.childNodes[f];d=++f&&d&&d[m]||(v=f=0)||h.pop();)if(1===d.nodeType&&++v&&d===t){u[e]=[x,f,v];break}}else if(_&&(v=f=(c=(u=(p=(d=t)[y]||(d[y]={}))[d.uniqueID]||(p[d.uniqueID]={}))[e]||[])[0]===x&&c[1]),!1===v)for(;(d=++f&&d&&d[m]||(v=f=0)||h.pop())&&((s?d.nodeName.toLowerCase()!==g:1!==d.nodeType)||!++v||(_&&((u=(p=d[y]||(d[y]={}))[d.uniqueID]||(p[d.uniqueID]={}))[e]=[x,v]),d!==t)););return(v-=o)===r||v%r==0&&v/r>=0}}},PSEUDO:function(e,t){var n,o=r.pseudos[e]||r.setFilters[e.toLowerCase()]||ie.error("unsupported pseudo: "+e);return o[y]?o(t):o.length>1?(n=[e,e,"",t],r.setFilters.hasOwnProperty(e.toLowerCase())?se(function(e,n){for(var r,i=o(e,t),a=i.length;a--;)e[r=L(e,i[a])]=!(n[r]=i[a])}):function(e){return o(e,0,n)}):o}},pseudos:{not:se(function(e){var t=[],n=[],r=s(e.replace(W,"$1"));return r[y]?se(function(e,t,n,o){for(var i,a=r(e,null,o,[]),s=e.length;s--;)(i=a[s])&&(e[s]=!(t[s]=i))}):function(e,o,i){return t[0]=e,r(t,null,i,n),t[0]=null,!n.pop()}}),has:se(function(e){return function(t){return ie(e,t).length>0}}),contains:se(function(e){return e=e.replace(Z,ee),function(t){return(t.textContent||t.innerText||o(t)).indexOf(e)>-1}}),lang:se(function(e){return K.test(e||"")||ie.error("unsupported lang: "+e),e=e.replace(Z,ee).toLowerCase(),function(t){var n;do{if(n=m?t.lang:t.getAttribute("xml:lang")||t.getAttribute("lang"))return(n=n.toLowerCase())===e||0===n.indexOf(e+"-")}while((t=t.parentNode)&&1===t.nodeType);return!1}}),target:function(t){var n=e.location&&e.location.hash;return n&&n.slice(1)===t.id},root:function(e){return e===h},focus:function(e){return e===f.activeElement&&(!f.hasFocus||f.hasFocus())&&!!(e.type||e.href||~e.tabIndex)},enabled:fe(!1),disabled:fe(!0),checked:function(e){var t=e.nodeName.toLowerCase();return"input"===t&&!!e.checked||"option"===t&&!!e.selected},selected:function(e){return e.parentNode&&e.parentNode.selectedIndex,!0===e.selected},empty:function(e){for(e=e.firstChild;e;e=e.nextSibling)if(e.nodeType<6)return!1;return!0},parent:function(e){return!r.pseudos.empty(e)},header:function(e){return X.test(e.nodeName)},input:function(e){return V.test(e.nodeName)},button:function(e){var t=e.nodeName.toLowerCase();return"input"===t&&"button"===e.type||"button"===t},text:function(e){var t;return"input"===e.nodeName.toLowerCase()&&"text"===e.type&&(null==(t=e.getAttribute("type"))||"text"===t.toLowerCase())},first:he(function(){return[0]}),last:he(function(e,t){return[t-1]}),eq:he(function(e,t,n){return[n<0?n+t:n]}),even:he(function(e,t){for(var n=0;n<t;n+=2)e.push(n);return e}),odd:he(function(e,t){for(var n=1;n<t;n+=2)e.push(n);return e}),lt:he(function(e,t,n){for(var r=n<0?n+t:n;--r>=0;)e.push(r);return e}),gt:he(function(e,t,n){for(var r=n<0?n+t:n;++r<t;)e.push(r);return e})}}).pseudos.nth=r.pseudos.eq,{radio:!0,checkbox:!0,file:!0,password:!0,image:!0})r.pseudos[t]=pe(t);for(t in{submit:!0,reset:!0})r.pseudos[t]=de(t);function be(){}function ge(e){for(var t=0,n=e.length,r="";t<n;t++)r+=e[t].value;return r}function _e(e,t,n){var r=t.dir,o=t.next,i=o||r,a=n&&"parentNode"===i,s=k++;return t.first?function(t,n,o){for(;t=t[r];)if(1===t.nodeType||a)return e(t,n,o);return!1}:function(t,n,l){var c,u,p,d=[x,s];if(l){for(;t=t[r];)if((1===t.nodeType||a)&&e(t,n,l))return!0}else for(;t=t[r];)if(1===t.nodeType||a)if(u=(p=t[y]||(t[y]={}))[t.uniqueID]||(p[t.uniqueID]={}),o&&o===t.nodeName.toLowerCase())t=t[r]||t;else{if((c=u[i])&&c[0]===x&&c[1]===s)return d[2]=c[2];if(u[i]=d,d[2]=e(t,n,l))return!0}return!1}}function ve(e){return e.length>1?function(t,n,r){for(var o=e.length;o--;)if(!e[o](t,n,r))return!1;return!0}:e[0]}function ye(e,t,n,r,o){for(var i,a=[],s=0,l=e.length,c=null!=t;s<l;s++)(i=e[s])&&(n&&!n(i,r,o)||(a.push(i),c&&t.push(s)));return a}function we(e,t,n,r,o,i){return r&&!r[y]&&(r=we(r)),o&&!o[y]&&(o=we(o,i)),se(function(i,a,s,l){var c,u,p,d=[],f=[],h=a.length,m=i||function(e,t,n){for(var r=0,o=t.length;r<o;r++)ie(e,t[r],n);return n}(t||"*",s.nodeType?[s]:s,[]),b=!e||!i&&t?m:ye(m,d,e,s,l),g=n?o||(i?e:h||r)?[]:a:b;if(n&&n(b,g,s,l),r)for(c=ye(g,f),r(c,[],s,l),u=c.length;u--;)(p=c[u])&&(g[f[u]]=!(b[f[u]]=p));if(i){if(o||e){if(o){for(c=[],u=g.length;u--;)(p=g[u])&&c.push(b[u]=p);o(null,g=[],c,l)}for(u=g.length;u--;)(p=g[u])&&(c=o?L(i,p):d[u])>-1&&(i[c]=!(a[c]=p))}}else g=ye(g===a?g.splice(h,g.length):g),o?o(null,a,g,l):A.apply(a,g)})}function xe(e){for(var t,n,o,i=e.length,a=r.relative[e[0].type],s=a||r.relative[" "],l=a?1:0,u=_e(function(e){return e===t},s,!0),p=_e(function(e){return L(t,e)>-1},s,!0),d=[function(e,n,r){var o=!a&&(r||n!==c)||((t=n).nodeType?u(e,n,r):p(e,n,r));return t=null,o}];l<i;l++)if(n=r.relative[e[l].type])d=[_e(ve(d),n)];else{if((n=r.filter[e[l].type].apply(null,e[l].matches))[y]){for(o=++l;o<i&&!r.relative[e[o].type];o++);return we(l>1&&ve(d),l>1&&ge(e.slice(0,l-1).concat({value:" "===e[l-2].type?"*":""})).replace(W,"$1"),n,l<o&&xe(e.slice(l,o)),o<i&&xe(e=e.slice(o)),o<i&&ge(e))}d.push(n)}return ve(d)}return be.prototype=r.filters=r.pseudos,r.setFilters=new be,a=ie.tokenize=function(e,t){var n,o,i,a,s,l,c,u=E[e+" "];if(u)return t?0:u.slice(0);for(s=e,l=[],c=r.preFilter;s;){for(a in n&&!(o=H.exec(s))||(o&&(s=s.slice(o[0].length)||s),l.push(i=[])),n=!1,(o=$.exec(s))&&(n=o.shift(),i.push({value:n,type:o[0].replace(W," ")}),s=s.slice(n.length)),r.filter)!(o=G[a].exec(s))||c[a]&&!(o=c[a](o))||(n=o.shift(),i.push({value:n,type:a,matches:o}),s=s.slice(n.length));if(!n)break}return t?s.length:s?ie.error(e):E(e,l).slice(0)},s=ie.compile=function(e,t){var n,o=[],i=[],s=O[e+" "];if(!s){for(t||(t=a(e)),n=t.length;n--;)(s=xe(t[n]))[y]?o.push(s):i.push(s);(s=O(e,function(e,t){var n=t.length>0,o=e.length>0,i=function(i,a,s,l,u){var p,h,b,g=0,_="0",v=i&&[],y=[],w=c,k=i||o&&r.find.TAG("*",u),C=x+=null==w?1:Math.random()||.1,E=k.length;for(u&&(c=a===f||a||u);_!==E&&null!=(p=k[_]);_++){if(o&&p){for(h=0,a||p.ownerDocument===f||(d(p),s=!m);b=e[h++];)if(b(p,a||f,s)){l.push(p);break}u&&(x=C)}n&&((p=!b&&p)&&g--,i&&v.push(p))}if(g+=_,n&&_!==g){for(h=0;b=t[h++];)b(v,y,a,s);if(i){if(g>0)for(;_--;)v[_]||y[_]||(y[_]=M.call(l));y=ye(y)}A.apply(l,y),u&&!i&&y.length>0&&g+t.length>1&&ie.uniqueSort(l)}return u&&(x=C,c=w),v};return n?se(i):i}(i,o))).selector=e}return s},l=ie.select=function(e,t,n,o){var i,l,c,u,p,d="function"==typeof e&&e,f=!o&&a(e=d.selector||e);if(n=n||[],1===f.length){if((l=f[0]=f[0].slice(0)).length>2&&"ID"===(c=l[0]).type&&9===t.nodeType&&m&&r.relative[l[1].type]){if(!(t=(r.find.ID(c.matches[0].replace(Z,ee),t)||[])[0]))return n;d&&(t=t.parentNode),e=e.slice(l.shift().value.length)}for(i=G.needsContext.test(e)?0:l.length;i--&&(c=l[i],!r.relative[u=c.type]);)if((p=r.find[u])&&(o=p(c.matches[0].replace(Z,ee),Q.test(l[0].type)&&me(t.parentNode)||t))){if(l.splice(i,1),!(e=o.length&&ge(l)))return A.apply(n,o),n;break}}return(d||s(e,f))(o,t,!m,n,!t||Q.test(e)&&me(t.parentNode)||t),n},n.sortStable=y.split("").sort(T).join("")===y,n.detectDuplicates=!!p,d(),n.sortDetached=le(function(e){return 1&e.compareDocumentPosition(f.createElement("fieldset"))}),le(function(e){return e.innerHTML="<a href='#'></a>","#"===e.firstChild.getAttribute("href")})||ce("type|href|height|width",function(e,t,n){if(!n)return e.getAttribute(t,"type"===t.toLowerCase()?1:2)}),n.attributes&&le(function(e){return e.innerHTML="<input/>",e.firstChild.setAttribute("value",""),""===e.firstChild.getAttribute("value")})||ce("value",function(e,t,n){if(!n&&"input"===e.nodeName.toLowerCase())return e.defaultValue}),le(function(e){return null==e.getAttribute("disabled")})||ce(I,function(e,t,n){var r;if(!n)return!0===e[t]?t.toLowerCase():(r=e.getAttributeNode(t))&&r.specified?r.value:null}),ie}(n);v.find=E,v.expr=E.selectors,v.expr[":"]=v.expr.pseudos,v.uniqueSort=v.unique=E.uniqueSort,v.text=E.getText,v.isXMLDoc=E.isXML,v.contains=E.contains,v.escapeSelector=E.escape;var O=function(e,t,n){for(var r=[],o=void 0!==n;(e=e[t])&&9!==e.nodeType;)if(1===e.nodeType){if(o&&v(e).is(n))break;r.push(e)}return r},T=function(e,t){for(var n=[];e;e=e.nextSibling)1===e.nodeType&&e!==t&&n.push(e);return n},S=v.expr.match.needsContext;function P(e,t){return e.nodeName&&e.nodeName.toLowerCase()===t.toLowerCase()}var M=/^<([a-z][^\/\0>:\x20\t\r\n\f]*)[\x20\t\r\n\f]*\/?>(?:<\/\1>|)$/i,D=/^.[^:#\[\.,]*$/;function A(e,t,n){return v.isFunction(t)?v.grep(e,function(e,r){return!!t.call(e,r,e)!==n}):t.nodeType?v.grep(e,function(e){return e===t!==n}):"string"!=typeof t?v.grep(e,function(e){return p.call(t,e)>-1!==n}):D.test(t)?v.filter(t,e,n):(t=v.filter(t,e),v.grep(e,function(e){return p.call(t,e)>-1!==n&&1===e.nodeType}))}v.filter=function(e,t,n){var r=t[0];return n&&(e=":not("+e+")"),1===t.length&&1===r.nodeType?v.find.matchesSelector(r,e)?[r]:[]:v.find.matches(e,v.grep(t,function(e){return 1===e.nodeType}))},v.fn.extend({find:function(e){var t,n,r=this.length,o=this;if("string"!=typeof e)return this.pushStack(v(e).filter(function(){for(t=0;t<r;t++)if(v.contains(o[t],this))return!0}));for(n=this.pushStack([]),t=0;t<r;t++)v.find(e,o[t],n);return r>1?v.uniqueSort(n):n},filter:function(e){return this.pushStack(A(this,e||[],!1))},not:function(e){return this.pushStack(A(this,e||[],!0))},is:function(e){return!!A(this,"string"==typeof e&&S.test(e)?v(e):e||[],!1).length}});var R,L=/^(?:\s*(<[\w\W]+>)[^>]*|#([\w-]+))$/;(v.fn.init=function(e,t,n){var r,o;if(!e)return this;if(n=n||R,"string"==typeof e){if(!(r="<"===e[0]&&">"===e[e.length-1]&&e.length>=3?[null,e,null]:L.exec(e))||!r[1]&&t)return!t||t.jquery?(t||n).find(e):this.constructor(t).find(e);if(r[1]){if(t=t instanceof v?t[0]:t,v.merge(this,v.parseHTML(r[1],t&&t.nodeType?t.ownerDocument||t:a,!0)),M.test(r[1])&&v.isPlainObject(t))for(r in t)v.isFunction(this[r])?this[r](t[r]):this.attr(r,t[r]);return this}return(o=a.getElementById(r[2]))&&(this[0]=o,this.length=1),this}return e.nodeType?(this[0]=e,this.length=1,this):v.isFunction(e)?void 0!==n.ready?n.ready(e):e(v):v.makeArray(e,this)}).prototype=v.fn,R=v(a);var I=/^(?:parents|prev(?:Until|All))/,F={children:!0,contents:!0,next:!0,prev:!0};function j(e,t){for(;(e=e[t])&&1!==e.nodeType;);return e}v.fn.extend({has:function(e){var t=v(e,this),n=t.length;return this.filter(function(){for(var e=0;e<n;e++)if(v.contains(this,t[e]))return!0})},closest:function(e,t){var n,r=0,o=this.length,i=[],a="string"!=typeof e&&v(e);if(!S.test(e))for(;r<o;r++)for(n=this[r];n&&n!==t;n=n.parentNode)if(n.nodeType<11&&(a?a.index(n)>-1:1===n.nodeType&&v.find.matchesSelector(n,e))){i.push(n);break}return this.pushStack(i.length>1?v.uniqueSort(i):i)},index:function(e){return e?"string"==typeof e?p.call(v(e),this[0]):p.call(this,e.jquery?e[0]:e):this[0]&&this[0].parentNode?this.first().prevAll().length:-1},add:function(e,t){return this.pushStack(v.uniqueSort(v.merge(this.get(),v(e,t))))},addBack:function(e){return this.add(null==e?this.prevObject:this.prevObject.filter(e))}}),v.each({parent:function(e){var t=e.parentNode;return t&&11!==t.nodeType?t:null},parents:function(e){return O(e,"parentNode")},parentsUntil:function(e,t,n){return O(e,"parentNode",n)},next:function(e){return j(e,"nextSibling")},prev:function(e){return j(e,"previousSibling")},nextAll:function(e){return O(e,"nextSibling")},prevAll:function(e){return O(e,"previousSibling")},nextUntil:function(e,t,n){return O(e,"nextSibling",n)},prevUntil:function(e,t,n){return O(e,"previousSibling",n)},siblings:function(e){return T((e.parentNode||{}).firstChild,e)},children:function(e){return T(e.firstChild)},contents:function(e){return P(e,"iframe")?e.contentDocument:(P(e,"template")&&(e=e.content||e),v.merge([],e.childNodes))}},function(e,t){v.fn[e]=function(n,r){var o=v.map(this,t,n);return"Until"!==e.slice(-5)&&(r=n),r&&"string"==typeof r&&(o=v.filter(r,o)),this.length>1&&(F[e]||v.uniqueSort(o),I.test(e)&&o.reverse()),this.pushStack(o)}});var N=/[^\x20\t\r\n\f]+/g;function B(e){return e}function U(e){throw e}function W(e,t,n,r){var o;try{e&&v.isFunction(o=e.promise)?o.call(e).done(t).fail(n):e&&v.isFunction(o=e.then)?o.call(e,t,n):t.apply(void 0,[e].slice(r))}catch(e){n.apply(void 0,[e])}}v.Callbacks=function(e){e="string"==typeof e?function(e){var t={};return v.each(e.match(N)||[],function(e,n){t[n]=!0}),t}(e):v.extend({},e);var t,n,r,o,i=[],a=[],s=-1,l=function(){for(o=o||e.once,r=t=!0;a.length;s=-1)for(n=a.shift();++s<i.length;)!1===i[s].apply(n[0],n[1])&&e.stopOnFalse&&(s=i.length,n=!1);e.memory||(n=!1),t=!1,o&&(i=n?[]:"")},c={add:function(){return i&&(n&&!t&&(s=i.length-1,a.push(n)),function t(n){v.each(n,function(n,r){v.isFunction(r)?e.unique&&c.has(r)||i.push(r):r&&r.length&&"string"!==v.type(r)&&t(r)})}(arguments),n&&!t&&l()),this},remove:function(){return v.each(arguments,function(e,t){for(var n;(n=v.inArray(t,i,n))>-1;)i.splice(n,1),n<=s&&s--}),this},has:function(e){return e?v.inArray(e,i)>-1:i.length>0},empty:function(){return i&&(i=[]),this},disable:function(){return o=a=[],i=n="",this},disabled:function(){return!i},lock:function(){return o=a=[],n||t||(i=n=""),this},locked:function(){return!!o},fireWith:function(e,n){return o||(n=[e,(n=n||[]).slice?n.slice():n],a.push(n),t||l()),this},fire:function(){return c.fireWith(this,arguments),this},fired:function(){return!!r}};return c},v.extend({Deferred:function(e){var t=[["notify","progress",v.Callbacks("memory"),v.Callbacks("memory"),2],["resolve","done",v.Callbacks("once memory"),v.Callbacks("once memory"),0,"resolved"],["reject","fail",v.Callbacks("once memory"),v.Callbacks("once memory"),1,"rejected"]],r="pending",o={state:function(){return r},always:function(){return i.done(arguments).fail(arguments),this},catch:function(e){return o.then(null,e)},pipe:function(){var e=arguments;return v.Deferred(function(n){v.each(t,function(t,r){var o=v.isFunction(e[r[4]])&&e[r[4]];i[r[1]](function(){var e=o&&o.apply(this,arguments);e&&v.isFunction(e.promise)?e.promise().progress(n.notify).done(n.resolve).fail(n.reject):n[r[0]+"With"](this,o?[e]:arguments)})}),e=null}).promise()},then:function(e,r,o){var i=0;function a(e,t,r,o){return function(){var s=this,l=arguments,c=function(){var n,c;if(!(e<i)){if((n=r.apply(s,l))===t.promise())throw new TypeError("Thenable self-resolution");c=n&&("object"==typeof n||"function"==typeof n)&&n.then,v.isFunction(c)?o?c.call(n,a(i,t,B,o),a(i,t,U,o)):(i++,c.call(n,a(i,t,B,o),a(i,t,U,o),a(i,t,B,t.notifyWith))):(r!==B&&(s=void 0,l=[n]),(o||t.resolveWith)(s,l))}},u=o?c:function(){try{c()}catch(n){v.Deferred.exceptionHook&&v.Deferred.exceptionHook(n,u.stackTrace),e+1>=i&&(r!==U&&(s=void 0,l=[n]),t.rejectWith(s,l))}};e?u():(v.Deferred.getStackHook&&(u.stackTrace=v.Deferred.getStackHook()),n.setTimeout(u))}}return v.Deferred(function(n){t[0][3].add(a(0,n,v.isFunction(o)?o:B,n.notifyWith)),t[1][3].add(a(0,n,v.isFunction(e)?e:B)),t[2][3].add(a(0,n,v.isFunction(r)?r:U))}).promise()},promise:function(e){return null!=e?v.extend(e,o):o}},i={};return v.each(t,function(e,n){var a=n[2],s=n[5];o[n[1]]=a.add,s&&a.add(function(){r=s},t[3-e][2].disable,t[0][2].lock),a.add(n[3].fire),i[n[0]]=function(){return i[n[0]+"With"](this===i?void 0:this,arguments),this},i[n[0]+"With"]=a.fireWith}),o.promise(i),e&&e.call(i,i),i},when:function(e){var t=arguments.length,n=t,r=Array(n),o=l.call(arguments),i=v.Deferred(),a=function(e){return function(n){r[e]=this,o[e]=arguments.length>1?l.call(arguments):n,--t||i.resolveWith(r,o)}};if(t<=1&&(W(e,i.done(a(n)).resolve,i.reject,!t),"pending"===i.state()||v.isFunction(o[n]&&o[n].then)))return i.then();for(;n--;)W(o[n],a(n),i.reject);return i.promise()}});var H=/^(Eval|Internal|Range|Reference|Syntax|Type|URI)Error$/;v.Deferred.exceptionHook=function(e,t){n.console&&n.console.warn&&e&&H.test(e.name)&&n.console.warn("jQuery.Deferred exception: "+e.message,e.stack,t)},v.readyException=function(e){n.setTimeout(function(){throw e})};var $=v.Deferred();function z(){a.removeEventListener("DOMContentLoaded",z),n.removeEventListener("load",z),v.ready()}v.fn.ready=function(e){return $.then(e).catch(function(e){v.readyException(e)}),this},v.extend({isReady:!1,readyWait:1,ready:function(e){(!0===e?--v.readyWait:v.isReady)||(v.isReady=!0,!0!==e&&--v.readyWait>0||$.resolveWith(a,[v]))}}),v.ready.then=$.then,"complete"===a.readyState||"loading"!==a.readyState&&!a.documentElement.doScroll?n.setTimeout(v.ready):(a.addEventListener("DOMContentLoaded",z),n.addEventListener("load",z));var q=function(e,t,n,r,o,i,a){var s=0,l=e.length,c=null==n;if("object"===v.type(n))for(s in o=!0,n)q(e,t,s,n[s],!0,i,a);else if(void 0!==r&&(o=!0,v.isFunction(r)||(a=!0),c&&(a?(t.call(e,r),t=null):(c=t,t=function(e,t,n){return c.call(v(e),n)})),t))for(;s<l;s++)t(e[s],n,a?r:r.call(e[s],s,t(e[s],n)));return o?e:c?t.call(e):l?t(e[0],n):i},K=function(e){return 1===e.nodeType||9===e.nodeType||!+e.nodeType};function G(){this.expando=v.expando+G.uid++}G.uid=1,G.prototype={cache:function(e){var t=e[this.expando];return t||(t={},K(e)&&(e.nodeType?e[this.expando]=t:Object.defineProperty(e,this.expando,{value:t,configurable:!0}))),t},set:function(e,t,n){var r,o=this.cache(e);if("string"==typeof t)o[v.camelCase(t)]=n;else for(r in t)o[v.camelCase(r)]=t[r];return o},get:function(e,t){return void 0===t?this.cache(e):e[this.expando]&&e[this.expando][v.camelCase(t)]},access:function(e,t,n){return void 0===t||t&&"string"==typeof t&&void 0===n?this.get(e,t):(this.set(e,t,n),void 0!==n?n:t)},remove:function(e,t){var n,r=e[this.expando];if(void 0!==r){if(void 0!==t){n=(t=Array.isArray(t)?t.map(v.camelCase):(t=v.camelCase(t))in r?[t]:t.match(N)||[]).length;for(;n--;)delete r[t[n]]}(void 0===t||v.isEmptyObject(r))&&(e.nodeType?e[this.expando]=void 0:delete e[this.expando])}},hasData:function(e){var t=e[this.expando];return void 0!==t&&!v.isEmptyObject(t)}};var V=new G,X=new G,Y=/^(?:\{[\w\W]*\}|\[[\w\W]*\])$/,J=/[A-Z]/g;function Q(e,t,n){var r;if(void 0===n&&1===e.nodeType)if(r="data-"+t.replace(J,"-$&").toLowerCase(),"string"==typeof(n=e.getAttribute(r))){try{n=function(e){return"true"===e||"false"!==e&&("null"===e?null:e===+e+""?+e:Y.test(e)?JSON.parse(e):e)}(n)}catch(e){}X.set(e,t,n)}else n=void 0;return n}v.extend({hasData:function(e){return X.hasData(e)||V.hasData(e)},data:function(e,t,n){return X.access(e,t,n)},removeData:function(e,t){X.remove(e,t)},_data:function(e,t,n){return V.access(e,t,n)},_removeData:function(e,t){V.remove(e,t)}}),v.fn.extend({data:function(e,t){var n,r,o,i=this[0],a=i&&i.attributes;if(void 0===e){if(this.length&&(o=X.get(i),1===i.nodeType&&!V.get(i,"hasDataAttrs"))){for(n=a.length;n--;)a[n]&&0===(r=a[n].name).indexOf("data-")&&(r=v.camelCase(r.slice(5)),Q(i,r,o[r]));V.set(i,"hasDataAttrs",!0)}return o}return"object"==typeof e?this.each(function(){X.set(this,e)}):q(this,function(t){var n;if(i&&void 0===t)return void 0!==(n=X.get(i,e))?n:void 0!==(n=Q(i,e))?n:void 0;this.each(function(){X.set(this,e,t)})},null,t,arguments.length>1,null,!0)},removeData:function(e){return this.each(function(){X.remove(this,e)})}}),v.extend({queue:function(e,t,n){var r;if(e)return t=(t||"fx")+"queue",r=V.get(e,t),n&&(!r||Array.isArray(n)?r=V.access(e,t,v.makeArray(n)):r.push(n)),r||[]},dequeue:function(e,t){t=t||"fx";var n=v.queue(e,t),r=n.length,o=n.shift(),i=v._queueHooks(e,t);"inprogress"===o&&(o=n.shift(),r--),o&&("fx"===t&&n.unshift("inprogress"),delete i.stop,o.call(e,function(){v.dequeue(e,t)},i)),!r&&i&&i.empty.fire()},_queueHooks:function(e,t){var n=t+"queueHooks";return V.get(e,n)||V.access(e,n,{empty:v.Callbacks("once memory").add(function(){V.remove(e,[t+"queue",n])})})}}),v.fn.extend({queue:function(e,t){var n=2;return"string"!=typeof e&&(t=e,e="fx",n--),arguments.length<n?v.queue(this[0],e):void 0===t?this:this.each(function(){var n=v.queue(this,e,t);v._queueHooks(this,e),"fx"===e&&"inprogress"!==n[0]&&v.dequeue(this,e)})},dequeue:function(e){return this.each(function(){v.dequeue(this,e)})},clearQueue:function(e){return this.queue(e||"fx",[])},promise:function(e,t){var n,r=1,o=v.Deferred(),i=this,a=this.length,s=function(){--r||o.resolveWith(i,[i])};for("string"!=typeof e&&(t=e,e=void 0),e=e||"fx";a--;)(n=V.get(i[a],e+"queueHooks"))&&n.empty&&(r++,n.empty.add(s));return s(),o.promise(t)}});var Z=/[+-]?(?:\d*\.|)\d+(?:[eE][+-]?\d+|)/.source,ee=new RegExp("^(?:([+-])=|)("+Z+")([a-z%]*)$","i"),te=["Top","Right","Bottom","Left"],ne=function(e,t){return"none"===(e=t||e).style.display||""===e.style.display&&v.contains(e.ownerDocument,e)&&"none"===v.css(e,"display")},re=function(e,t,n,r){var o,i,a={};for(i in t)a[i]=e.style[i],e.style[i]=t[i];for(i in o=n.apply(e,r||[]),t)e.style[i]=a[i];return o};function oe(e,t,n,r){var o,i=1,a=20,s=r?function(){return r.cur()}:function(){return v.css(e,t,"")},l=s(),c=n&&n[3]||(v.cssNumber[t]?"":"px"),u=(v.cssNumber[t]||"px"!==c&&+l)&&ee.exec(v.css(e,t));if(u&&u[3]!==c){c=c||u[3],n=n||[],u=+l||1;do{u/=i=i||".5",v.style(e,t,u+c)}while(i!==(i=s()/l)&&1!==i&&--a)}return n&&(u=+u||+l||0,o=n[1]?u+(n[1]+1)*n[2]:+n[2],r&&(r.unit=c,r.start=u,r.end=o)),o}var ie={};function ae(e){var t,n=e.ownerDocument,r=e.nodeName,o=ie[r];return o||(t=n.body.appendChild(n.createElement(r)),o=v.css(t,"display"),t.parentNode.removeChild(t),"none"===o&&(o="block"),ie[r]=o,o)}function se(e,t){for(var n,r,o=[],i=0,a=e.length;i<a;i++)(r=e[i]).style&&(n=r.style.display,t?("none"===n&&(o[i]=V.get(r,"display")||null,o[i]||(r.style.display="")),""===r.style.display&&ne(r)&&(o[i]=ae(r))):"none"!==n&&(o[i]="none",V.set(r,"display",n)));for(i=0;i<a;i++)null!=o[i]&&(e[i].style.display=o[i]);return e}v.fn.extend({show:function(){return se(this,!0)},hide:function(){return se(this)},toggle:function(e){return"boolean"==typeof e?e?this.show():this.hide():this.each(function(){ne(this)?v(this).show():v(this).hide()})}});var le=/^(?:checkbox|radio)$/i,ce=/<([a-z][^\/\0>\x20\t\r\n\f]+)/i,ue=/^$|\/(?:java|ecma)script/i,pe={option:[1,"<select multiple='multiple'>","</select>"],thead:[1,"<table>","</table>"],col:[2,"<table><colgroup>","</colgroup></table>"],tr:[2,"<table><tbody>","</tbody></table>"],td:[3,"<table><tbody><tr>","</tr></tbody></table>"],_default:[0,"",""]};function de(e,t){var n;return n=void 0!==e.getElementsByTagName?e.getElementsByTagName(t||"*"):void 0!==e.querySelectorAll?e.querySelectorAll(t||"*"):[],void 0===t||t&&P(e,t)?v.merge([e],n):n}function fe(e,t){for(var n=0,r=e.length;n<r;n++)V.set(e[n],"globalEval",!t||V.get(t[n],"globalEval"))}pe.optgroup=pe.option,pe.tbody=pe.tfoot=pe.colgroup=pe.caption=pe.thead,pe.th=pe.td;var he,me,be=/<|&#?\w+;/;function ge(e,t,n,r,o){for(var i,a,s,l,c,u,p=t.createDocumentFragment(),d=[],f=0,h=e.length;f<h;f++)if((i=e[f])||0===i)if("object"===v.type(i))v.merge(d,i.nodeType?[i]:i);else if(be.test(i)){for(a=a||p.appendChild(t.createElement("div")),s=(ce.exec(i)||["",""])[1].toLowerCase(),l=pe[s]||pe._default,a.innerHTML=l[1]+v.htmlPrefilter(i)+l[2],u=l[0];u--;)a=a.lastChild;v.merge(d,a.childNodes),(a=p.firstChild).textContent=""}else d.push(t.createTextNode(i));for(p.textContent="",f=0;i=d[f++];)if(r&&v.inArray(i,r)>-1)o&&o.push(i);else if(c=v.contains(i.ownerDocument,i),a=de(p.appendChild(i),"script"),c&&fe(a),n)for(u=0;i=a[u++];)ue.test(i.type||"")&&n.push(i);return p}he=a.createDocumentFragment().appendChild(a.createElement("div")),(me=a.createElement("input")).setAttribute("type","radio"),me.setAttribute("checked","checked"),me.setAttribute("name","t"),he.appendChild(me),g.checkClone=he.cloneNode(!0).cloneNode(!0).lastChild.checked,he.innerHTML="<textarea>x</textarea>",g.noCloneChecked=!!he.cloneNode(!0).lastChild.defaultValue;var _e=a.documentElement,ve=/^key/,ye=/^(?:mouse|pointer|contextmenu|drag|drop)|click/,we=/^([^.]*)(?:\.(.+)|)/;function xe(){return!0}function ke(){return!1}function Ce(){try{return a.activeElement}catch(e){}}function Ee(e,t,n,r,o,i){var a,s;if("object"==typeof t){for(s in"string"!=typeof n&&(r=r||n,n=void 0),t)Ee(e,s,n,r,t[s],i);return e}if(null==r&&null==o?(o=n,r=n=void 0):null==o&&("string"==typeof n?(o=r,r=void 0):(o=r,r=n,n=void 0)),!1===o)o=ke;else if(!o)return e;return 1===i&&(a=o,(o=function(e){return v().off(e),a.apply(this,arguments)}).guid=a.guid||(a.guid=v.guid++)),e.each(function(){v.event.add(this,t,o,r,n)})}v.event={global:{},add:function(e,t,n,r,o){var i,a,s,l,c,u,p,d,f,h,m,b=V.get(e);if(b)for(n.handler&&(n=(i=n).handler,o=i.selector),o&&v.find.matchesSelector(_e,o),n.guid||(n.guid=v.guid++),(l=b.events)||(l=b.events={}),(a=b.handle)||(a=b.handle=function(t){return void 0!==v&&v.event.triggered!==t.type?v.event.dispatch.apply(e,arguments):void 0}),c=(t=(t||"").match(N)||[""]).length;c--;)f=m=(s=we.exec(t[c])||[])[1],h=(s[2]||"").split(".").sort(),f&&(p=v.event.special[f]||{},f=(o?p.delegateType:p.bindType)||f,p=v.event.special[f]||{},u=v.extend({type:f,origType:m,data:r,handler:n,guid:n.guid,selector:o,needsContext:o&&v.expr.match.needsContext.test(o),namespace:h.join(".")},i),(d=l[f])||((d=l[f]=[]).delegateCount=0,p.setup&&!1!==p.setup.call(e,r,h,a)||e.addEventListener&&e.addEventListener(f,a)),p.add&&(p.add.call(e,u),u.handler.guid||(u.handler.guid=n.guid)),o?d.splice(d.delegateCount++,0,u):d.push(u),v.event.global[f]=!0)},remove:function(e,t,n,r,o){var i,a,s,l,c,u,p,d,f,h,m,b=V.hasData(e)&&V.get(e);if(b&&(l=b.events)){for(c=(t=(t||"").match(N)||[""]).length;c--;)if(f=m=(s=we.exec(t[c])||[])[1],h=(s[2]||"").split(".").sort(),f){for(p=v.event.special[f]||{},d=l[f=(r?p.delegateType:p.bindType)||f]||[],s=s[2]&&new RegExp("(^|\\.)"+h.join("\\.(?:.*\\.|)")+"(\\.|$)"),a=i=d.length;i--;)u=d[i],!o&&m!==u.origType||n&&n.guid!==u.guid||s&&!s.test(u.namespace)||r&&r!==u.selector&&("**"!==r||!u.selector)||(d.splice(i,1),u.selector&&d.delegateCount--,p.remove&&p.remove.call(e,u));a&&!d.length&&(p.teardown&&!1!==p.teardown.call(e,h,b.handle)||v.removeEvent(e,f,b.handle),delete l[f])}else for(f in l)v.event.remove(e,f+t[c],n,r,!0);v.isEmptyObject(l)&&V.remove(e,"handle events")}},dispatch:function(e){var t,n,r,o,i,a,s=v.event.fix(e),l=new Array(arguments.length),c=(V.get(this,"events")||{})[s.type]||[],u=v.event.special[s.type]||{};for(l[0]=s,t=1;t<arguments.length;t++)l[t]=arguments[t];if(s.delegateTarget=this,!u.preDispatch||!1!==u.preDispatch.call(this,s)){for(a=v.event.handlers.call(this,s,c),t=0;(o=a[t++])&&!s.isPropagationStopped();)for(s.currentTarget=o.elem,n=0;(i=o.handlers[n++])&&!s.isImmediatePropagationStopped();)s.rnamespace&&!s.rnamespace.test(i.namespace)||(s.handleObj=i,s.data=i.data,void 0!==(r=((v.event.special[i.origType]||{}).handle||i.handler).apply(o.elem,l))&&!1===(s.result=r)&&(s.preventDefault(),s.stopPropagation()));return u.postDispatch&&u.postDispatch.call(this,s),s.result}},handlers:function(e,t){var n,r,o,i,a,s=[],l=t.delegateCount,c=e.target;if(l&&c.nodeType&&!("click"===e.type&&e.button>=1))for(;c!==this;c=c.parentNode||this)if(1===c.nodeType&&("click"!==e.type||!0!==c.disabled)){for(i=[],a={},n=0;n<l;n++)void 0===a[o=(r=t[n]).selector+" "]&&(a[o]=r.needsContext?v(o,this).index(c)>-1:v.find(o,this,null,[c]).length),a[o]&&i.push(r);i.length&&s.push({elem:c,handlers:i})}return c=this,l<t.length&&s.push({elem:c,handlers:t.slice(l)}),s},addProp:function(e,t){Object.defineProperty(v.Event.prototype,e,{enumerable:!0,configurable:!0,get:v.isFunction(t)?function(){if(this.originalEvent)return t(this.originalEvent)}:function(){if(this.originalEvent)return this.originalEvent[e]},set:function(t){Object.defineProperty(this,e,{enumerable:!0,configurable:!0,writable:!0,value:t})}})},fix:function(e){return e[v.expando]?e:new v.Event(e)},special:{load:{noBubble:!0},focus:{trigger:function(){if(this!==Ce()&&this.focus)return this.focus(),!1},delegateType:"focusin"},blur:{trigger:function(){if(this===Ce()&&this.blur)return this.blur(),!1},delegateType:"focusout"},click:{trigger:function(){if("checkbox"===this.type&&this.click&&P(this,"input"))return this.click(),!1},_default:function(e){return P(e.target,"a")}},beforeunload:{postDispatch:function(e){void 0!==e.result&&e.originalEvent&&(e.originalEvent.returnValue=e.result)}}}},v.removeEvent=function(e,t,n){e.removeEventListener&&e.removeEventListener(t,n)},v.Event=function(e,t){if(!(this instanceof v.Event))return new v.Event(e,t);e&&e.type?(this.originalEvent=e,this.type=e.type,this.isDefaultPrevented=e.defaultPrevented||void 0===e.defaultPrevented&&!1===e.returnValue?xe:ke,this.target=e.target&&3===e.target.nodeType?e.target.parentNode:e.target,this.currentTarget=e.currentTarget,this.relatedTarget=e.relatedTarget):this.type=e,t&&v.extend(this,t),this.timeStamp=e&&e.timeStamp||v.now(),this[v.expando]=!0},v.Event.prototype={constructor:v.Event,isDefaultPrevented:ke,isPropagationStopped:ke,isImmediatePropagationStopped:ke,isSimulated:!1,preventDefault:function(){var e=this.originalEvent;this.isDefaultPrevented=xe,e&&!this.isSimulated&&e.preventDefault()},stopPropagation:function(){var e=this.originalEvent;this.isPropagationStopped=xe,e&&!this.isSimulated&&e.stopPropagation()},stopImmediatePropagation:function(){var e=this.originalEvent;this.isImmediatePropagationStopped=xe,e&&!this.isSimulated&&e.stopImmediatePropagation(),this.stopPropagation()}},v.each({altKey:!0,bubbles:!0,cancelable:!0,changedTouches:!0,ctrlKey:!0,detail:!0,eventPhase:!0,metaKey:!0,pageX:!0,pageY:!0,shiftKey:!0,view:!0,char:!0,charCode:!0,key:!0,keyCode:!0,button:!0,buttons:!0,clientX:!0,clientY:!0,offsetX:!0,offsetY:!0,pointerId:!0,pointerType:!0,screenX:!0,screenY:!0,targetTouches:!0,toElement:!0,touches:!0,which:function(e){var t=e.button;return null==e.which&&ve.test(e.type)?null!=e.charCode?e.charCode:e.keyCode:!e.which&&void 0!==t&&ye.test(e.type)?1&t?1:2&t?3:4&t?2:0:e.which}},v.event.addProp),v.each({mouseenter:"mouseover",mouseleave:"mouseout",pointerenter:"pointerover",pointerleave:"pointerout"},function(e,t){v.event.special[e]={delegateType:t,bindType:t,handle:function(e){var n,r=e.relatedTarget,o=e.handleObj;return r&&(r===this||v.contains(this,r))||(e.type=o.origType,n=o.handler.apply(this,arguments),e.type=t),n}}}),v.fn.extend({on:function(e,t,n,r){return Ee(this,e,t,n,r)},one:function(e,t,n,r){return Ee(this,e,t,n,r,1)},off:function(e,t,n){var r,o;if(e&&e.preventDefault&&e.handleObj)return r=e.handleObj,v(e.delegateTarget).off(r.namespace?r.origType+"."+r.namespace:r.origType,r.selector,r.handler),this;if("object"==typeof e){for(o in e)this.off(o,t,e[o]);return this}return!1!==t&&"function"!=typeof t||(n=t,t=void 0),!1===n&&(n=ke),this.each(function(){v.event.remove(this,e,n,t)})}});var Oe=/<(?!area|br|col|embed|hr|img|input|link|meta|param)(([a-z][^\/\0>\x20\t\r\n\f]*)[^>]*)\/>/gi,Te=/<script|<style|<link/i,Se=/checked\s*(?:[^=]|=\s*.checked.)/i,Pe=/^true\/(.*)/,Me=/^\s*<!(?:\[CDATA\[|--)|(?:\]\]|--)>\s*$/g;function De(e,t){return P(e,"table")&&P(11!==t.nodeType?t:t.firstChild,"tr")&&v(">tbody",e)[0]||e}function Ae(e){return e.type=(null!==e.getAttribute("type"))+"/"+e.type,e}function Re(e){var t=Pe.exec(e.type);return t?e.type=t[1]:e.removeAttribute("type"),e}function Le(e,t){var n,r,o,i,a,s,l,c;if(1===t.nodeType){if(V.hasData(e)&&(i=V.access(e),a=V.set(t,i),c=i.events))for(o in delete a.handle,a.events={},c)for(n=0,r=c[o].length;n<r;n++)v.event.add(t,o,c[o][n]);X.hasData(e)&&(s=X.access(e),l=v.extend({},s),X.set(t,l))}}function Ie(e,t,n,r){t=c.apply([],t);var o,i,a,s,l,u,p=0,d=e.length,f=d-1,h=t[0],m=v.isFunction(h);if(m||d>1&&"string"==typeof h&&!g.checkClone&&Se.test(h))return e.each(function(o){var i=e.eq(o);m&&(t[0]=h.call(this,o,i.html())),Ie(i,t,n,r)});if(d&&(i=(o=ge(t,e[0].ownerDocument,!1,e,r)).firstChild,1===o.childNodes.length&&(o=i),i||r)){for(s=(a=v.map(de(o,"script"),Ae)).length;p<d;p++)l=o,p!==f&&(l=v.clone(l,!0,!0),s&&v.merge(a,de(l,"script"))),n.call(e[p],l,p);if(s)for(u=a[a.length-1].ownerDocument,v.map(a,Re),p=0;p<s;p++)l=a[p],ue.test(l.type||"")&&!V.access(l,"globalEval")&&v.contains(u,l)&&(l.src?v._evalUrl&&v._evalUrl(l.src):_(l.textContent.replace(Me,""),u))}return e}function Fe(e,t,n){for(var r,o=t?v.filter(t,e):e,i=0;null!=(r=o[i]);i++)n||1!==r.nodeType||v.cleanData(de(r)),r.parentNode&&(n&&v.contains(r.ownerDocument,r)&&fe(de(r,"script")),r.parentNode.removeChild(r));return e}v.extend({htmlPrefilter:function(e){return e.replace(Oe,"<$1></$2>")},clone:function(e,t,n){var r,o,i,a,s,l,c,u=e.cloneNode(!0),p=v.contains(e.ownerDocument,e);if(!(g.noCloneChecked||1!==e.nodeType&&11!==e.nodeType||v.isXMLDoc(e)))for(a=de(u),r=0,o=(i=de(e)).length;r<o;r++)s=i[r],l=a[r],c=void 0,"input"===(c=l.nodeName.toLowerCase())&&le.test(s.type)?l.checked=s.checked:"input"!==c&&"textarea"!==c||(l.defaultValue=s.defaultValue);if(t)if(n)for(i=i||de(e),a=a||de(u),r=0,o=i.length;r<o;r++)Le(i[r],a[r]);else Le(e,u);return(a=de(u,"script")).length>0&&fe(a,!p&&de(e,"script")),u},cleanData:function(e){for(var t,n,r,o=v.event.special,i=0;void 0!==(n=e[i]);i++)if(K(n)){if(t=n[V.expando]){if(t.events)for(r in t.events)o[r]?v.event.remove(n,r):v.removeEvent(n,r,t.handle);n[V.expando]=void 0}n[X.expando]&&(n[X.expando]=void 0)}}}),v.fn.extend({detach:function(e){return Fe(this,e,!0)},remove:function(e){return Fe(this,e)},text:function(e){return q(this,function(e){return void 0===e?v.text(this):this.empty().each(function(){1!==this.nodeType&&11!==this.nodeType&&9!==this.nodeType||(this.textContent=e)})},null,e,arguments.length)},append:function(){return Ie(this,arguments,function(e){1!==this.nodeType&&11!==this.nodeType&&9!==this.nodeType||De(this,e).appendChild(e)})},prepend:function(){return Ie(this,arguments,function(e){if(1===this.nodeType||11===this.nodeType||9===this.nodeType){var t=De(this,e);t.insertBefore(e,t.firstChild)}})},before:function(){return Ie(this,arguments,function(e){this.parentNode&&this.parentNode.insertBefore(e,this)})},after:function(){return Ie(this,arguments,function(e){this.parentNode&&this.parentNode.insertBefore(e,this.nextSibling)})},empty:function(){for(var e,t=0;null!=(e=this[t]);t++)1===e.nodeType&&(v.cleanData(de(e,!1)),e.textContent="");return this},clone:function(e,t){return e=null!=e&&e,t=null==t?e:t,this.map(function(){return v.clone(this,e,t)})},html:function(e){return q(this,function(e){var t=this[0]||{},n=0,r=this.length;if(void 0===e&&1===t.nodeType)return t.innerHTML;if("string"==typeof e&&!Te.test(e)&&!pe[(ce.exec(e)||["",""])[1].toLowerCase()]){e=v.htmlPrefilter(e);try{for(;n<r;n++)1===(t=this[n]||{}).nodeType&&(v.cleanData(de(t,!1)),t.innerHTML=e);t=0}catch(e){}}t&&this.empty().append(e)},null,e,arguments.length)},replaceWith:function(){var e=[];return Ie(this,arguments,function(t){var n=this.parentNode;v.inArray(this,e)<0&&(v.cleanData(de(this)),n&&n.replaceChild(t,this))},e)}}),v.each({appendTo:"append",prependTo:"prepend",insertBefore:"before",insertAfter:"after",replaceAll:"replaceWith"},function(e,t){v.fn[e]=function(e){for(var n,r=[],o=v(e),i=o.length-1,a=0;a<=i;a++)n=a===i?this:this.clone(!0),v(o[a])[t](n),u.apply(r,n.get());return this.pushStack(r)}});var je=/^margin/,Ne=new RegExp("^("+Z+")(?!px)[a-z%]+$","i"),Be=function(e){var t=e.ownerDocument.defaultView;return t&&t.opener||(t=n),t.getComputedStyle(e)};function Ue(e,t,n){var r,o,i,a,s=e.style;return(n=n||Be(e))&&(""!==(a=n.getPropertyValue(t)||n[t])||v.contains(e.ownerDocument,e)||(a=v.style(e,t)),!g.pixelMarginRight()&&Ne.test(a)&&je.test(t)&&(r=s.width,o=s.minWidth,i=s.maxWidth,s.minWidth=s.maxWidth=s.width=a,a=n.width,s.width=r,s.minWidth=o,s.maxWidth=i)),void 0!==a?a+"":a}function We(e,t){return{get:function(){if(!e())return(this.get=t).apply(this,arguments);delete this.get}}}!function(){function e(){if(l){l.style.cssText="box-sizing:border-box;position:relative;display:block;margin:auto;border:1px;padding:1px;top:1%;width:50%",l.innerHTML="",_e.appendChild(s);var e=n.getComputedStyle(l);t="1%"!==e.top,i="2px"===e.marginLeft,r="4px"===e.width,l.style.marginRight="50%",o="4px"===e.marginRight,_e.removeChild(s),l=null}}var t,r,o,i,s=a.createElement("div"),l=a.createElement("div");l.style&&(l.style.backgroundClip="content-box",l.cloneNode(!0).style.backgroundClip="",g.clearCloneStyle="content-box"===l.style.backgroundClip,s.style.cssText="border:0;width:8px;height:0;top:0;left:-9999px;padding:0;margin-top:1px;position:absolute",s.appendChild(l),v.extend(g,{pixelPosition:function(){return e(),t},boxSizingReliable:function(){return e(),r},pixelMarginRight:function(){return e(),o},reliableMarginLeft:function(){return e(),i}}))}();var He=/^(none|table(?!-c[ea]).+)/,$e=/^--/,ze={position:"absolute",visibility:"hidden",display:"block"},qe={letterSpacing:"0",fontWeight:"400"},Ke=["Webkit","Moz","ms"],Ge=a.createElement("div").style;function Ve(e){var t=v.cssProps[e];return t||(t=v.cssProps[e]=function(e){if(e in Ge)return e;for(var t=e[0].toUpperCase()+e.slice(1),n=Ke.length;n--;)if((e=Ke[n]+t)in Ge)return e}(e)||e),t}function Xe(e,t,n){var r=ee.exec(t);return r?Math.max(0,r[2]-(n||0))+(r[3]||"px"):t}function Ye(e,t,n,r,o){var i,a=0;for(i=n===(r?"border":"content")?4:"width"===t?1:0;i<4;i+=2)"margin"===n&&(a+=v.css(e,n+te[i],!0,o)),r?("content"===n&&(a-=v.css(e,"padding"+te[i],!0,o)),"margin"!==n&&(a-=v.css(e,"border"+te[i]+"Width",!0,o))):(a+=v.css(e,"padding"+te[i],!0,o),"padding"!==n&&(a+=v.css(e,"border"+te[i]+"Width",!0,o)));return a}function Je(e,t,n){var r,o=Be(e),i=Ue(e,t,o),a="border-box"===v.css(e,"boxSizing",!1,o);return Ne.test(i)?i:(r=a&&(g.boxSizingReliable()||i===e.style[t]),"auto"===i&&(i=e["offset"+t[0].toUpperCase()+t.slice(1)]),(i=parseFloat(i)||0)+Ye(e,t,n||(a?"border":"content"),r,o)+"px")}function Qe(e,t,n,r,o){return new Qe.prototype.init(e,t,n,r,o)}v.extend({cssHooks:{opacity:{get:function(e,t){if(t){var n=Ue(e,"opacity");return""===n?"1":n}}}},cssNumber:{animationIterationCount:!0,columnCount:!0,fillOpacity:!0,flexGrow:!0,flexShrink:!0,fontWeight:!0,lineHeight:!0,opacity:!0,order:!0,orphans:!0,widows:!0,zIndex:!0,zoom:!0},cssProps:{float:"cssFloat"},style:function(e,t,n,r){if(e&&3!==e.nodeType&&8!==e.nodeType&&e.style){var o,i,a,s=v.camelCase(t),l=$e.test(t),c=e.style;if(l||(t=Ve(s)),a=v.cssHooks[t]||v.cssHooks[s],void 0===n)return a&&"get"in a&&void 0!==(o=a.get(e,!1,r))?o:c[t];"string"===(i=typeof n)&&(o=ee.exec(n))&&o[1]&&(n=oe(e,t,o),i="number"),null!=n&&n==n&&("number"===i&&(n+=o&&o[3]||(v.cssNumber[s]?"":"px")),g.clearCloneStyle||""!==n||0!==t.indexOf("background")||(c[t]="inherit"),a&&"set"in a&&void 0===(n=a.set(e,n,r))||(l?c.setProperty(t,n):c[t]=n))}},css:function(e,t,n,r){var o,i,a,s=v.camelCase(t);return $e.test(t)||(t=Ve(s)),(a=v.cssHooks[t]||v.cssHooks[s])&&"get"in a&&(o=a.get(e,!0,n)),void 0===o&&(o=Ue(e,t,r)),"normal"===o&&t in qe&&(o=qe[t]),""===n||n?(i=parseFloat(o),!0===n||isFinite(i)?i||0:o):o}}),v.each(["height","width"],function(e,t){v.cssHooks[t]={get:function(e,n,r){if(n)return!He.test(v.css(e,"display"))||e.getClientRects().length&&e.getBoundingClientRect().width?Je(e,t,r):re(e,ze,function(){return Je(e,t,r)})},set:function(e,n,r){var o,i=r&&Be(e),a=r&&Ye(e,t,r,"border-box"===v.css(e,"boxSizing",!1,i),i);return a&&(o=ee.exec(n))&&"px"!==(o[3]||"px")&&(e.style[t]=n,n=v.css(e,t)),Xe(0,n,a)}}}),v.cssHooks.marginLeft=We(g.reliableMarginLeft,function(e,t){if(t)return(parseFloat(Ue(e,"marginLeft"))||e.getBoundingClientRect().left-re(e,{marginLeft:0},function(){return e.getBoundingClientRect().left}))+"px"}),v.each({margin:"",padding:"",border:"Width"},function(e,t){v.cssHooks[e+t]={expand:function(n){for(var r=0,o={},i="string"==typeof n?n.split(" "):[n];r<4;r++)o[e+te[r]+t]=i[r]||i[r-2]||i[0];return o}},je.test(e)||(v.cssHooks[e+t].set=Xe)}),v.fn.extend({css:function(e,t){return q(this,function(e,t,n){var r,o,i={},a=0;if(Array.isArray(t)){for(r=Be(e),o=t.length;a<o;a++)i[t[a]]=v.css(e,t[a],!1,r);return i}return void 0!==n?v.style(e,t,n):v.css(e,t)},e,t,arguments.length>1)}}),v.Tween=Qe,Qe.prototype={constructor:Qe,init:function(e,t,n,r,o,i){this.elem=e,this.prop=n,this.easing=o||v.easing._default,this.options=t,this.start=this.now=this.cur(),this.end=r,this.unit=i||(v.cssNumber[n]?"":"px")},cur:function(){var e=Qe.propHooks[this.prop];return e&&e.get?e.get(this):Qe.propHooks._default.get(this)},run:function(e){var t,n=Qe.propHooks[this.prop];return this.options.duration?this.pos=t=v.easing[this.easing](e,this.options.duration*e,0,1,this.options.duration):this.pos=t=e,this.now=(this.end-this.start)*t+this.start,this.options.step&&this.options.step.call(this.elem,this.now,this),n&&n.set?n.set(this):Qe.propHooks._default.set(this),this}},Qe.prototype.init.prototype=Qe.prototype,Qe.propHooks={_default:{get:function(e){var t;return 1!==e.elem.nodeType||null!=e.elem[e.prop]&&null==e.elem.style[e.prop]?e.elem[e.prop]:(t=v.css(e.elem,e.prop,""))&&"auto"!==t?t:0},set:function(e){v.fx.step[e.prop]?v.fx.step[e.prop](e):1!==e.elem.nodeType||null==e.elem.style[v.cssProps[e.prop]]&&!v.cssHooks[e.prop]?e.elem[e.prop]=e.now:v.style(e.elem,e.prop,e.now+e.unit)}}},Qe.propHooks.scrollTop=Qe.propHooks.scrollLeft={set:function(e){e.elem.nodeType&&e.elem.parentNode&&(e.elem[e.prop]=e.now)}},v.easing={linear:function(e){return e},swing:function(e){return.5-Math.cos(e*Math.PI)/2},_default:"swing"},v.fx=Qe.prototype.init,v.fx.step={};var Ze,et,tt=/^(?:toggle|show|hide)$/,nt=/queueHooks$/;function rt(){et&&(!1===a.hidden&&n.requestAnimationFrame?n.requestAnimationFrame(rt):n.setTimeout(rt,v.fx.interval),v.fx.tick())}function ot(){return n.setTimeout(function(){Ze=void 0}),Ze=v.now()}function it(e,t){var n,r=0,o={height:e};for(t=t?1:0;r<4;r+=2-t)o["margin"+(n=te[r])]=o["padding"+n]=e;return t&&(o.opacity=o.width=e),o}function at(e,t,n){for(var r,o=(st.tweeners[t]||[]).concat(st.tweeners["*"]),i=0,a=o.length;i<a;i++)if(r=o[i].call(n,t,e))return r}function st(e,t,n){var r,o,i=0,a=st.prefilters.length,s=v.Deferred().always(function(){delete l.elem}),l=function(){if(o)return!1;for(var t=Ze||ot(),n=Math.max(0,c.startTime+c.duration-t),r=1-(n/c.duration||0),i=0,a=c.tweens.length;i<a;i++)c.tweens[i].run(r);return s.notifyWith(e,[c,r,n]),r<1&&a?n:(a||s.notifyWith(e,[c,1,0]),s.resolveWith(e,[c]),!1)},c=s.promise({elem:e,props:v.extend({},t),opts:v.extend(!0,{specialEasing:{},easing:v.easing._default},n),originalProperties:t,originalOptions:n,startTime:Ze||ot(),duration:n.duration,tweens:[],createTween:function(t,n){var r=v.Tween(e,c.opts,t,n,c.opts.specialEasing[t]||c.opts.easing);return c.tweens.push(r),r},stop:function(t){var n=0,r=t?c.tweens.length:0;if(o)return this;for(o=!0;n<r;n++)c.tweens[n].run(1);return t?(s.notifyWith(e,[c,1,0]),s.resolveWith(e,[c,t])):s.rejectWith(e,[c,t]),this}}),u=c.props;for(!function(e,t){var n,r,o,i,a;for(n in e)if(o=t[r=v.camelCase(n)],i=e[n],Array.isArray(i)&&(o=i[1],i=e[n]=i[0]),n!==r&&(e[r]=i,delete e[n]),(a=v.cssHooks[r])&&"expand"in a)for(n in i=a.expand(i),delete e[r],i)n in e||(e[n]=i[n],t[n]=o);else t[r]=o}(u,c.opts.specialEasing);i<a;i++)if(r=st.prefilters[i].call(c,e,u,c.opts))return v.isFunction(r.stop)&&(v._queueHooks(c.elem,c.opts.queue).stop=v.proxy(r.stop,r)),r;return v.map(u,at,c),v.isFunction(c.opts.start)&&c.opts.start.call(e,c),c.progress(c.opts.progress).done(c.opts.done,c.opts.complete).fail(c.opts.fail).always(c.opts.always),v.fx.timer(v.extend(l,{elem:e,anim:c,queue:c.opts.queue})),c}v.Animation=v.extend(st,{tweeners:{"*":[function(e,t){var n=this.createTween(e,t);return oe(n.elem,e,ee.exec(t),n),n}]},tweener:function(e,t){v.isFunction(e)?(t=e,e=["*"]):e=e.match(N);for(var n,r=0,o=e.length;r<o;r++)n=e[r],st.tweeners[n]=st.tweeners[n]||[],st.tweeners[n].unshift(t)},prefilters:[function(e,t,n){var r,o,i,a,s,l,c,u,p="width"in t||"height"in t,d=this,f={},h=e.style,m=e.nodeType&&ne(e),b=V.get(e,"fxshow");for(r in n.queue||(null==(a=v._queueHooks(e,"fx")).unqueued&&(a.unqueued=0,s=a.empty.fire,a.empty.fire=function(){a.unqueued||s()}),a.unqueued++,d.always(function(){d.always(function(){a.unqueued--,v.queue(e,"fx").length||a.empty.fire()})})),t)if(o=t[r],tt.test(o)){if(delete t[r],i=i||"toggle"===o,o===(m?"hide":"show")){if("show"!==o||!b||void 0===b[r])continue;m=!0}f[r]=b&&b[r]||v.style(e,r)}if((l=!v.isEmptyObject(t))||!v.isEmptyObject(f))for(r in p&&1===e.nodeType&&(n.overflow=[h.overflow,h.overflowX,h.overflowY],null==(c=b&&b.display)&&(c=V.get(e,"display")),"none"===(u=v.css(e,"display"))&&(c?u=c:(se([e],!0),c=e.style.display||c,u=v.css(e,"display"),se([e]))),("inline"===u||"inline-block"===u&&null!=c)&&"none"===v.css(e,"float")&&(l||(d.done(function(){h.display=c}),null==c&&(u=h.display,c="none"===u?"":u)),h.display="inline-block")),n.overflow&&(h.overflow="hidden",d.always(function(){h.overflow=n.overflow[0],h.overflowX=n.overflow[1],h.overflowY=n.overflow[2]})),l=!1,f)l||(b?"hidden"in b&&(m=b.hidden):b=V.access(e,"fxshow",{display:c}),i&&(b.hidden=!m),m&&se([e],!0),d.done(function(){for(r in m||se([e]),V.remove(e,"fxshow"),f)v.style(e,r,f[r])})),l=at(m?b[r]:0,r,d),r in b||(b[r]=l.start,m&&(l.end=l.start,l.start=0))}],prefilter:function(e,t){t?st.prefilters.unshift(e):st.prefilters.push(e)}}),v.speed=function(e,t,n){var r=e&&"object"==typeof e?v.extend({},e):{complete:n||!n&&t||v.isFunction(e)&&e,duration:e,easing:n&&t||t&&!v.isFunction(t)&&t};return v.fx.off?r.duration=0:"number"!=typeof r.duration&&(r.duration in v.fx.speeds?r.duration=v.fx.speeds[r.duration]:r.duration=v.fx.speeds._default),null!=r.queue&&!0!==r.queue||(r.queue="fx"),r.old=r.complete,r.complete=function(){v.isFunction(r.old)&&r.old.call(this),r.queue&&v.dequeue(this,r.queue)},r},v.fn.extend({fadeTo:function(e,t,n,r){return this.filter(ne).css("opacity",0).show().end().animate({opacity:t},e,n,r)},animate:function(e,t,n,r){var o=v.isEmptyObject(e),i=v.speed(t,n,r),a=function(){var t=st(this,v.extend({},e),i);(o||V.get(this,"finish"))&&t.stop(!0)};return a.finish=a,o||!1===i.queue?this.each(a):this.queue(i.queue,a)},stop:function(e,t,n){var r=function(e){var t=e.stop;delete e.stop,t(n)};return"string"!=typeof e&&(n=t,t=e,e=void 0),t&&!1!==e&&this.queue(e||"fx",[]),this.each(function(){var t=!0,o=null!=e&&e+"queueHooks",i=v.timers,a=V.get(this);if(o)a[o]&&a[o].stop&&r(a[o]);else for(o in a)a[o]&&a[o].stop&&nt.test(o)&&r(a[o]);for(o=i.length;o--;)i[o].elem!==this||null!=e&&i[o].queue!==e||(i[o].anim.stop(n),t=!1,i.splice(o,1));!t&&n||v.dequeue(this,e)})},finish:function(e){return!1!==e&&(e=e||"fx"),this.each(function(){var t,n=V.get(this),r=n[e+"queue"],o=n[e+"queueHooks"],i=v.timers,a=r?r.length:0;for(n.finish=!0,v.queue(this,e,[]),o&&o.stop&&o.stop.call(this,!0),t=i.length;t--;)i[t].elem===this&&i[t].queue===e&&(i[t].anim.stop(!0),i.splice(t,1));for(t=0;t<a;t++)r[t]&&r[t].finish&&r[t].finish.call(this);delete n.finish})}}),v.each(["toggle","show","hide"],function(e,t){var n=v.fn[t];v.fn[t]=function(e,r,o){return null==e||"boolean"==typeof e?n.apply(this,arguments):this.animate(it(t,!0),e,r,o)}}),v.each({slideDown:it("show"),slideUp:it("hide"),slideToggle:it("toggle"),fadeIn:{opacity:"show"},fadeOut:{opacity:"hide"},fadeToggle:{opacity:"toggle"}},function(e,t){v.fn[e]=function(e,n,r){return this.animate(t,e,n,r)}}),v.timers=[],v.fx.tick=function(){var e,t=0,n=v.timers;for(Ze=v.now();t<n.length;t++)(e=n[t])()||n[t]!==e||n.splice(t--,1);n.length||v.fx.stop(),Ze=void 0},v.fx.timer=function(e){v.timers.push(e),v.fx.start()},v.fx.interval=13,v.fx.start=function(){et||(et=!0,rt())},v.fx.stop=function(){et=null},v.fx.speeds={slow:600,fast:200,_default:400},v.fn.delay=function(e,t){return e=v.fx&&v.fx.speeds[e]||e,t=t||"fx",this.queue(t,function(t,r){var o=n.setTimeout(t,e);r.stop=function(){n.clearTimeout(o)}})},function(){var e=a.createElement("input"),t=a.createElement("select").appendChild(a.createElement("option"));e.type="checkbox",g.checkOn=""!==e.value,g.optSelected=t.selected,(e=a.createElement("input")).value="t",e.type="radio",g.radioValue="t"===e.value}();var lt,ct=v.expr.attrHandle;v.fn.extend({attr:function(e,t){return q(this,v.attr,e,t,arguments.length>1)},removeAttr:function(e){return this.each(function(){v.removeAttr(this,e)})}}),v.extend({attr:function(e,t,n){var r,o,i=e.nodeType;if(3!==i&&8!==i&&2!==i)return void 0===e.getAttribute?v.prop(e,t,n):(1===i&&v.isXMLDoc(e)||(o=v.attrHooks[t.toLowerCase()]||(v.expr.match.bool.test(t)?lt:void 0)),void 0!==n?null===n?void v.removeAttr(e,t):o&&"set"in o&&void 0!==(r=o.set(e,n,t))?r:(e.setAttribute(t,n+""),n):o&&"get"in o&&null!==(r=o.get(e,t))?r:null==(r=v.find.attr(e,t))?void 0:r)},attrHooks:{type:{set:function(e,t){if(!g.radioValue&&"radio"===t&&P(e,"input")){var n=e.value;return e.setAttribute("type",t),n&&(e.value=n),t}}}},removeAttr:function(e,t){var n,r=0,o=t&&t.match(N);if(o&&1===e.nodeType)for(;n=o[r++];)e.removeAttribute(n)}}),lt={set:function(e,t,n){return!1===t?v.removeAttr(e,n):e.setAttribute(n,n),n}},v.each(v.expr.match.bool.source.match(/\w+/g),function(e,t){var n=ct[t]||v.find.attr;ct[t]=function(e,t,r){var o,i,a=t.toLowerCase();return r||(i=ct[a],ct[a]=o,o=null!=n(e,t,r)?a:null,ct[a]=i),o}});var ut=/^(?:input|select|textarea|button)$/i,pt=/^(?:a|area)$/i;function dt(e){return(e.match(N)||[]).join(" ")}function ft(e){return e.getAttribute&&e.getAttribute("class")||""}v.fn.extend({prop:function(e,t){return q(this,v.prop,e,t,arguments.length>1)},removeProp:function(e){return this.each(function(){delete this[v.propFix[e]||e]})}}),v.extend({prop:function(e,t,n){var r,o,i=e.nodeType;if(3!==i&&8!==i&&2!==i)return 1===i&&v.isXMLDoc(e)||(t=v.propFix[t]||t,o=v.propHooks[t]),void 0!==n?o&&"set"in o&&void 0!==(r=o.set(e,n,t))?r:e[t]=n:o&&"get"in o&&null!==(r=o.get(e,t))?r:e[t]},propHooks:{tabIndex:{get:function(e){var t=v.find.attr(e,"tabindex");return t?parseInt(t,10):ut.test(e.nodeName)||pt.test(e.nodeName)&&e.href?0:-1}}},propFix:{for:"htmlFor",class:"className"}}),g.optSelected||(v.propHooks.selected={get:function(e){var t=e.parentNode;return t&&t.parentNode&&t.parentNode.selectedIndex,null},set:function(e){var t=e.parentNode;t&&(t.selectedIndex,t.parentNode&&t.parentNode.selectedIndex)}}),v.each(["tabIndex","readOnly","maxLength","cellSpacing","cellPadding","rowSpan","colSpan","useMap","frameBorder","contentEditable"],function(){v.propFix[this.toLowerCase()]=this}),v.fn.extend({addClass:function(e){var t,n,r,o,i,a,s,l=0;if(v.isFunction(e))return this.each(function(t){v(this).addClass(e.call(this,t,ft(this)))});if("string"==typeof e&&e)for(t=e.match(N)||[];n=this[l++];)if(o=ft(n),r=1===n.nodeType&&" "+dt(o)+" "){for(a=0;i=t[a++];)r.indexOf(" "+i+" ")<0&&(r+=i+" ");o!==(s=dt(r))&&n.setAttribute("class",s)}return this},removeClass:function(e){var t,n,r,o,i,a,s,l=0;if(v.isFunction(e))return this.each(function(t){v(this).removeClass(e.call(this,t,ft(this)))});if(!arguments.length)return this.attr("class","");if("string"==typeof e&&e)for(t=e.match(N)||[];n=this[l++];)if(o=ft(n),r=1===n.nodeType&&" "+dt(o)+" "){for(a=0;i=t[a++];)for(;r.indexOf(" "+i+" ")>-1;)r=r.replace(" "+i+" "," ");o!==(s=dt(r))&&n.setAttribute("class",s)}return this},toggleClass:function(e,t){var n=typeof e;return"boolean"==typeof t&&"string"===n?t?this.addClass(e):this.removeClass(e):v.isFunction(e)?this.each(function(n){v(this).toggleClass(e.call(this,n,ft(this),t),t)}):this.each(function(){var t,r,o,i;if("string"===n)for(r=0,o=v(this),i=e.match(N)||[];t=i[r++];)o.hasClass(t)?o.removeClass(t):o.addClass(t);else void 0!==e&&"boolean"!==n||((t=ft(this))&&V.set(this,"__className__",t),this.setAttribute&&this.setAttribute("class",t||!1===e?"":V.get(this,"__className__")||""))})},hasClass:function(e){var t,n,r=0;for(t=" "+e+" ";n=this[r++];)if(1===n.nodeType&&(" "+dt(ft(n))+" ").indexOf(t)>-1)return!0;return!1}});var ht=/\r/g;v.fn.extend({val:function(e){var t,n,r,o=this[0];return arguments.length?(r=v.isFunction(e),this.each(function(n){var o;1===this.nodeType&&(null==(o=r?e.call(this,n,v(this).val()):e)?o="":"number"==typeof o?o+="":Array.isArray(o)&&(o=v.map(o,function(e){return null==e?"":e+""})),(t=v.valHooks[this.type]||v.valHooks[this.nodeName.toLowerCase()])&&"set"in t&&void 0!==t.set(this,o,"value")||(this.value=o))})):o?(t=v.valHooks[o.type]||v.valHooks[o.nodeName.toLowerCase()])&&"get"in t&&void 0!==(n=t.get(o,"value"))?n:"string"==typeof(n=o.value)?n.replace(ht,""):null==n?"":n:void 0}}),v.extend({valHooks:{option:{get:function(e){var t=v.find.attr(e,"value");return null!=t?t:dt(v.text(e))}},select:{get:function(e){var t,n,r,o=e.options,i=e.selectedIndex,a="select-one"===e.type,s=a?null:[],l=a?i+1:o.length;for(r=i<0?l:a?i:0;r<l;r++)if(((n=o[r]).selected||r===i)&&!n.disabled&&(!n.parentNode.disabled||!P(n.parentNode,"optgroup"))){if(t=v(n).val(),a)return t;s.push(t)}return s},set:function(e,t){for(var n,r,o=e.options,i=v.makeArray(t),a=o.length;a--;)((r=o[a]).selected=v.inArray(v.valHooks.option.get(r),i)>-1)&&(n=!0);return n||(e.selectedIndex=-1),i}}}}),v.each(["radio","checkbox"],function(){v.valHooks[this]={set:function(e,t){if(Array.isArray(t))return e.checked=v.inArray(v(e).val(),t)>-1}},g.checkOn||(v.valHooks[this].get=function(e){return null===e.getAttribute("value")?"on":e.value})});var mt=/^(?:focusinfocus|focusoutblur)$/;v.extend(v.event,{trigger:function(e,t,r,o){var i,s,l,c,u,p,d,f=[r||a],m=h.call(e,"type")?e.type:e,b=h.call(e,"namespace")?e.namespace.split("."):[];if(s=l=r=r||a,3!==r.nodeType&&8!==r.nodeType&&!mt.test(m+v.event.triggered)&&(m.indexOf(".")>-1&&(b=m.split("."),m=b.shift(),b.sort()),u=m.indexOf(":")<0&&"on"+m,(e=e[v.expando]?e:new v.Event(m,"object"==typeof e&&e)).isTrigger=o?2:3,e.namespace=b.join("."),e.rnamespace=e.namespace?new RegExp("(^|\\.)"+b.join("\\.(?:.*\\.|)")+"(\\.|$)"):null,e.result=void 0,e.target||(e.target=r),t=null==t?[e]:v.makeArray(t,[e]),d=v.event.special[m]||{},o||!d.trigger||!1!==d.trigger.apply(r,t))){if(!o&&!d.noBubble&&!v.isWindow(r)){for(c=d.delegateType||m,mt.test(c+m)||(s=s.parentNode);s;s=s.parentNode)f.push(s),l=s;l===(r.ownerDocument||a)&&f.push(l.defaultView||l.parentWindow||n)}for(i=0;(s=f[i++])&&!e.isPropagationStopped();)e.type=i>1?c:d.bindType||m,(p=(V.get(s,"events")||{})[e.type]&&V.get(s,"handle"))&&p.apply(s,t),(p=u&&s[u])&&p.apply&&K(s)&&(e.result=p.apply(s,t),!1===e.result&&e.preventDefault());return e.type=m,o||e.isDefaultPrevented()||d._default&&!1!==d._default.apply(f.pop(),t)||!K(r)||u&&v.isFunction(r[m])&&!v.isWindow(r)&&((l=r[u])&&(r[u]=null),v.event.triggered=m,r[m](),v.event.triggered=void 0,l&&(r[u]=l)),e.result}},simulate:function(e,t,n){var r=v.extend(new v.Event,n,{type:e,isSimulated:!0});v.event.trigger(r,null,t)}}),v.fn.extend({trigger:function(e,t){return this.each(function(){v.event.trigger(e,t,this)})},triggerHandler:function(e,t){var n=this[0];if(n)return v.event.trigger(e,t,n,!0)}}),v.each("blur focus focusin focusout resize scroll click dblclick mousedown mouseup mousemove mouseover mouseout mouseenter mouseleave change select submit keydown keypress keyup contextmenu".split(" "),function(e,t){v.fn[t]=function(e,n){return arguments.length>0?this.on(t,null,e,n):this.trigger(t)}}),v.fn.extend({hover:function(e,t){return this.mouseenter(e).mouseleave(t||e)}}),g.focusin="onfocusin"in n,g.focusin||v.each({focus:"focusin",blur:"focusout"},function(e,t){var n=function(e){v.event.simulate(t,e.target,v.event.fix(e))};v.event.special[t]={setup:function(){var r=this.ownerDocument||this,o=V.access(r,t);o||r.addEventListener(e,n,!0),V.access(r,t,(o||0)+1)},teardown:function(){var r=this.ownerDocument||this,o=V.access(r,t)-1;o?V.access(r,t,o):(r.removeEventListener(e,n,!0),V.remove(r,t))}}});var bt=n.location,gt=v.now(),_t=/\?/;v.parseXML=function(e){var t;if(!e||"string"!=typeof e)return null;try{t=(new n.DOMParser).parseFromString(e,"text/xml")}catch(e){t=void 0}return t&&!t.getElementsByTagName("parsererror").length||v.error("Invalid XML: "+e),t};var vt=/\[\]$/,yt=/\r?\n/g,wt=/^(?:submit|button|image|reset|file)$/i,xt=/^(?:input|select|textarea|keygen)/i;function kt(e,t,n,r){var o;if(Array.isArray(t))v.each(t,function(t,o){n||vt.test(e)?r(e,o):kt(e+"["+("object"==typeof o&&null!=o?t:"")+"]",o,n,r)});else if(n||"object"!==v.type(t))r(e,t);else for(o in t)kt(e+"["+o+"]",t[o],n,r)}v.param=function(e,t){var n,r=[],o=function(e,t){var n=v.isFunction(t)?t():t;r[r.length]=encodeURIComponent(e)+"="+encodeURIComponent(null==n?"":n)};if(Array.isArray(e)||e.jquery&&!v.isPlainObject(e))v.each(e,function(){o(this.name,this.value)});else for(n in e)kt(n,e[n],t,o);return r.join("&")},v.fn.extend({serialize:function(){return v.param(this.serializeArray())},serializeArray:function(){return this.map(function(){var e=v.prop(this,"elements");return e?v.makeArray(e):this}).filter(function(){var e=this.type;return this.name&&!v(this).is(":disabled")&&xt.test(this.nodeName)&&!wt.test(e)&&(this.checked||!le.test(e))}).map(function(e,t){var n=v(this).val();return null==n?null:Array.isArray(n)?v.map(n,function(e){return{name:t.name,value:e.replace(yt,"\r\n")}}):{name:t.name,value:n.replace(yt,"\r\n")}}).get()}});var Ct=/%20/g,Et=/#.*$/,Ot=/([?&])_=[^&]*/,Tt=/^(.*?):[ \t]*([^\r\n]*)$/gm,St=/^(?:GET|HEAD)$/,Pt=/^\/\//,Mt={},Dt={},At="*/".concat("*"),Rt=a.createElement("a");function Lt(e){return function(t,n){"string"!=typeof t&&(n=t,t="*");var r,o=0,i=t.toLowerCase().match(N)||[];if(v.isFunction(n))for(;r=i[o++];)"+"===r[0]?(r=r.slice(1)||"*",(e[r]=e[r]||[]).unshift(n)):(e[r]=e[r]||[]).push(n)}}function It(e,t,n,r){var o={},i=e===Dt;function a(s){var l;return o[s]=!0,v.each(e[s]||[],function(e,s){var c=s(t,n,r);return"string"!=typeof c||i||o[c]?i?!(l=c):void 0:(t.dataTypes.unshift(c),a(c),!1)}),l}return a(t.dataTypes[0])||!o["*"]&&a("*")}function Ft(e,t){var n,r,o=v.ajaxSettings.flatOptions||{};for(n in t)void 0!==t[n]&&((o[n]?e:r||(r={}))[n]=t[n]);return r&&v.extend(!0,e,r),e}Rt.href=bt.href,v.extend({active:0,lastModified:{},etag:{},ajaxSettings:{url:bt.href,type:"GET",isLocal:/^(?:about|app|app-storage|.+-extension|file|res|widget):$/.test(bt.protocol),global:!0,processData:!0,async:!0,contentType:"application/x-www-form-urlencoded; charset=UTF-8",accepts:{"*":At,text:"text/plain",html:"text/html",xml:"application/xml, text/xml",json:"application/json, text/javascript"},contents:{xml:/\bxml\b/,html:/\bhtml/,json:/\bjson\b/},responseFields:{xml:"responseXML",text:"responseText",json:"responseJSON"},converters:{"* text":String,"text html":!0,"text json":JSON.parse,"text xml":v.parseXML},flatOptions:{url:!0,context:!0}},ajaxSetup:function(e,t){return t?Ft(Ft(e,v.ajaxSettings),t):Ft(v.ajaxSettings,e)},ajaxPrefilter:Lt(Mt),ajaxTransport:Lt(Dt),ajax:function(e,t){"object"==typeof e&&(t=e,e=void 0),t=t||{};var r,o,i,s,l,c,u,p,d,f,h=v.ajaxSetup({},t),m=h.context||h,b=h.context&&(m.nodeType||m.jquery)?v(m):v.event,g=v.Deferred(),_=v.Callbacks("once memory"),y=h.statusCode||{},w={},x={},k="canceled",C={readyState:0,getResponseHeader:function(e){var t;if(u){if(!s)for(s={};t=Tt.exec(i);)s[t[1].toLowerCase()]=t[2];t=s[e.toLowerCase()]}return null==t?null:t},getAllResponseHeaders:function(){return u?i:null},setRequestHeader:function(e,t){return null==u&&(e=x[e.toLowerCase()]=x[e.toLowerCase()]||e,w[e]=t),this},overrideMimeType:function(e){return null==u&&(h.mimeType=e),this},statusCode:function(e){var t;if(e)if(u)C.always(e[C.status]);else for(t in e)y[t]=[y[t],e[t]];return this},abort:function(e){var t=e||k;return r&&r.abort(t),E(0,t),this}};if(g.promise(C),h.url=((e||h.url||bt.href)+"").replace(Pt,bt.protocol+"//"),h.type=t.method||t.type||h.method||h.type,h.dataTypes=(h.dataType||"*").toLowerCase().match(N)||[""],null==h.crossDomain){c=a.createElement("a");try{c.href=h.url,c.href=c.href,h.crossDomain=Rt.protocol+"//"+Rt.host!=c.protocol+"//"+c.host}catch(e){h.crossDomain=!0}}if(h.data&&h.processData&&"string"!=typeof h.data&&(h.data=v.param(h.data,h.traditional)),It(Mt,h,t,C),u)return C;for(d in(p=v.event&&h.global)&&0==v.active++&&v.event.trigger("ajaxStart"),h.type=h.type.toUpperCase(),h.hasContent=!St.test(h.type),o=h.url.replace(Et,""),h.hasContent?h.data&&h.processData&&0===(h.contentType||"").indexOf("application/x-www-form-urlencoded")&&(h.data=h.data.replace(Ct,"+")):(f=h.url.slice(o.length),h.data&&(o+=(_t.test(o)?"&":"?")+h.data,delete h.data),!1===h.cache&&(o=o.replace(Ot,"$1"),f=(_t.test(o)?"&":"?")+"_="+gt+++f),h.url=o+f),h.ifModified&&(v.lastModified[o]&&C.setRequestHeader("If-Modified-Since",v.lastModified[o]),v.etag[o]&&C.setRequestHeader("If-None-Match",v.etag[o])),(h.data&&h.hasContent&&!1!==h.contentType||t.contentType)&&C.setRequestHeader("Content-Type",h.contentType),C.setRequestHeader("Accept",h.dataTypes[0]&&h.accepts[h.dataTypes[0]]?h.accepts[h.dataTypes[0]]+("*"!==h.dataTypes[0]?", "+At+"; q=0.01":""):h.accepts["*"]),h.headers)C.setRequestHeader(d,h.headers[d]);if(h.beforeSend&&(!1===h.beforeSend.call(m,C,h)||u))return C.abort();if(k="abort",_.add(h.complete),C.done(h.success),C.fail(h.error),r=It(Dt,h,t,C)){if(C.readyState=1,p&&b.trigger("ajaxSend",[C,h]),u)return C;h.async&&h.timeout>0&&(l=n.setTimeout(function(){C.abort("timeout")},h.timeout));try{u=!1,r.send(w,E)}catch(e){if(u)throw e;E(-1,e)}}else E(-1,"No Transport");function E(e,t,a,s){var c,d,f,w,x,k=t;u||(u=!0,l&&n.clearTimeout(l),r=void 0,i=s||"",C.readyState=e>0?4:0,c=e>=200&&e<300||304===e,a&&(w=function(e,t,n){for(var r,o,i,a,s=e.contents,l=e.dataTypes;"*"===l[0];)l.shift(),void 0===r&&(r=e.mimeType||t.getResponseHeader("Content-Type"));if(r)for(o in s)if(s[o]&&s[o].test(r)){l.unshift(o);break}if(l[0]in n)i=l[0];else{for(o in n){if(!l[0]||e.converters[o+" "+l[0]]){i=o;break}a||(a=o)}i=i||a}if(i)return i!==l[0]&&l.unshift(i),n[i]}(h,C,a)),w=function(e,t,n,r){var o,i,a,s,l,c={},u=e.dataTypes.slice();if(u[1])for(a in e.converters)c[a.toLowerCase()]=e.converters[a];for(i=u.shift();i;)if(e.responseFields[i]&&(n[e.responseFields[i]]=t),!l&&r&&e.dataFilter&&(t=e.dataFilter(t,e.dataType)),l=i,i=u.shift())if("*"===i)i=l;else if("*"!==l&&l!==i){if(!(a=c[l+" "+i]||c["* "+i]))for(o in c)if((s=o.split(" "))[1]===i&&(a=c[l+" "+s[0]]||c["* "+s[0]])){!0===a?a=c[o]:!0!==c[o]&&(i=s[0],u.unshift(s[1]));break}if(!0!==a)if(a&&e.throws)t=a(t);else try{t=a(t)}catch(e){return{state:"parsererror",error:a?e:"No conversion from "+l+" to "+i}}}return{state:"success",data:t}}(h,w,C,c),c?(h.ifModified&&((x=C.getResponseHeader("Last-Modified"))&&(v.lastModified[o]=x),(x=C.getResponseHeader("etag"))&&(v.etag[o]=x)),204===e||"HEAD"===h.type?k="nocontent":304===e?k="notmodified":(k=w.state,d=w.data,c=!(f=w.error))):(f=k,!e&&k||(k="error",e<0&&(e=0))),C.status=e,C.statusText=(t||k)+"",c?g.resolveWith(m,[d,k,C]):g.rejectWith(m,[C,k,f]),C.statusCode(y),y=void 0,p&&b.trigger(c?"ajaxSuccess":"ajaxError",[C,h,c?d:f]),_.fireWith(m,[C,k]),p&&(b.trigger("ajaxComplete",[C,h]),--v.active||v.event.trigger("ajaxStop")))}return C},getJSON:function(e,t,n){return v.get(e,t,n,"json")},getScript:function(e,t){return v.get(e,void 0,t,"script")}}),v.each(["get","post"],function(e,t){v[t]=function(e,n,r,o){return v.isFunction(n)&&(o=o||r,r=n,n=void 0),v.ajax(v.extend({url:e,type:t,dataType:o,data:n,success:r},v.isPlainObject(e)&&e))}}),v._evalUrl=function(e){return v.ajax({url:e,type:"GET",dataType:"script",cache:!0,async:!1,global:!1,throws:!0})},v.fn.extend({wrapAll:function(e){var t;return this[0]&&(v.isFunction(e)&&(e=e.call(this[0])),t=v(e,this[0].ownerDocument).eq(0).clone(!0),this[0].parentNode&&t.insertBefore(this[0]),t.map(function(){for(var e=this;e.firstElementChild;)e=e.firstElementChild;return e}).append(this)),this},wrapInner:function(e){return v.isFunction(e)?this.each(function(t){v(this).wrapInner(e.call(this,t))}):this.each(function(){var t=v(this),n=t.contents();n.length?n.wrapAll(e):t.append(e)})},wrap:function(e){var t=v.isFunction(e);return this.each(function(n){v(this).wrapAll(t?e.call(this,n):e)})},unwrap:function(e){return this.parent(e).not("body").each(function(){v(this).replaceWith(this.childNodes)}),this}}),v.expr.pseudos.hidden=function(e){return!v.expr.pseudos.visible(e)},v.expr.pseudos.visible=function(e){return!!(e.offsetWidth||e.offsetHeight||e.getClientRects().length)},v.ajaxSettings.xhr=function(){try{return new n.XMLHttpRequest}catch(e){}};var jt={0:200,1223:204},Nt=v.ajaxSettings.xhr();g.cors=!!Nt&&"withCredentials"in Nt,g.ajax=Nt=!!Nt,v.ajaxTransport(function(e){var t,r;if(g.cors||Nt&&!e.crossDomain)return{send:function(o,i){var a,s=e.xhr();if(s.open(e.type,e.url,e.async,e.username,e.password),e.xhrFields)for(a in e.xhrFields)s[a]=e.xhrFields[a];for(a in e.mimeType&&s.overrideMimeType&&s.overrideMimeType(e.mimeType),e.crossDomain||o["X-Requested-With"]||(o["X-Requested-With"]="XMLHttpRequest"),o)s.setRequestHeader(a,o[a]);t=function(e){return function(){t&&(t=r=s.onload=s.onerror=s.onabort=s.onreadystatechange=null,"abort"===e?s.abort():"error"===e?"number"!=typeof s.status?i(0,"error"):i(s.status,s.statusText):i(jt[s.status]||s.status,s.statusText,"text"!==(s.responseType||"text")||"string"!=typeof s.responseText?{binary:s.response}:{text:s.responseText},s.getAllResponseHeaders()))}},s.onload=t(),r=s.onerror=t("error"),void 0!==s.onabort?s.onabort=r:s.onreadystatechange=function(){4===s.readyState&&n.setTimeout(function(){t&&r()})},t=t("abort");try{s.send(e.hasContent&&e.data||null)}catch(e){if(t)throw e}},abort:function(){t&&t()}}}),v.ajaxPrefilter(function(e){e.crossDomain&&(e.contents.script=!1)}),v.ajaxSetup({accepts:{script:"text/javascript, application/javascript, application/ecmascript, application/x-ecmascript"},contents:{script:/\b(?:java|ecma)script\b/},converters:{"text script":function(e){return v.globalEval(e),e}}}),v.ajaxPrefilter("script",function(e){void 0===e.cache&&(e.cache=!1),e.crossDomain&&(e.type="GET")}),v.ajaxTransport("script",function(e){var t,n;if(e.crossDomain)return{send:function(r,o){t=v("<script>").prop({charset:e.scriptCharset,src:e.url}).on("load error",n=function(e){t.remove(),n=null,e&&o("error"===e.type?404:200,e.type)}),a.head.appendChild(t[0])},abort:function(){n&&n()}}});var Bt,Ut=[],Wt=/(=)\?(?=&|$)|\?\?/;v.ajaxSetup({jsonp:"callback",jsonpCallback:function(){var e=Ut.pop()||v.expando+"_"+gt++;return this[e]=!0,e}}),v.ajaxPrefilter("json jsonp",function(e,t,r){var o,i,a,s=!1!==e.jsonp&&(Wt.test(e.url)?"url":"string"==typeof e.data&&0===(e.contentType||"").indexOf("application/x-www-form-urlencoded")&&Wt.test(e.data)&&"data");if(s||"jsonp"===e.dataTypes[0])return o=e.jsonpCallback=v.isFunction(e.jsonpCallback)?e.jsonpCallback():e.jsonpCallback,s?e[s]=e[s].replace(Wt,"$1"+o):!1!==e.jsonp&&(e.url+=(_t.test(e.url)?"&":"?")+e.jsonp+"="+o),e.converters["script json"]=function(){return a||v.error(o+" was not called"),a[0]},e.dataTypes[0]="json",i=n[o],n[o]=function(){a=arguments},r.always(function(){void 0===i?v(n).removeProp(o):n[o]=i,e[o]&&(e.jsonpCallback=t.jsonpCallback,Ut.push(o)),a&&v.isFunction(i)&&i(a[0]),a=i=void 0}),"script"}),g.createHTMLDocument=((Bt=a.implementation.createHTMLDocument("").body).innerHTML="<form></form><form></form>",2===Bt.childNodes.length),v.parseHTML=function(e,t,n){return"string"!=typeof e?[]:("boolean"==typeof t&&(n=t,t=!1),t||(g.createHTMLDocument?((r=(t=a.implementation.createHTMLDocument("")).createElement("base")).href=a.location.href,t.head.appendChild(r)):t=a),i=!n&&[],(o=M.exec(e))?[t.createElement(o[1])]:(o=ge([e],t,i),i&&i.length&&v(i).remove(),v.merge([],o.childNodes)));var r,o,i},v.fn.load=function(e,t,n){var r,o,i,a=this,s=e.indexOf(" ");return s>-1&&(r=dt(e.slice(s)),e=e.slice(0,s)),v.isFunction(t)?(n=t,t=void 0):t&&"object"==typeof t&&(o="POST"),a.length>0&&v.ajax({url:e,type:o||"GET",dataType:"html",data:t}).done(function(e){i=arguments,a.html(r?v("<div>").append(v.parseHTML(e)).find(r):e)}).always(n&&function(e,t){a.each(function(){n.apply(this,i||[e.responseText,t,e])})}),this},v.each(["ajaxStart","ajaxStop","ajaxComplete","ajaxError","ajaxSuccess","ajaxSend"],function(e,t){v.fn[t]=function(e){return this.on(t,e)}}),v.expr.pseudos.animated=function(e){return v.grep(v.timers,function(t){return e===t.elem}).length},v.offset={setOffset:function(e,t,n){var r,o,i,a,s,l,c=v.css(e,"position"),u=v(e),p={};"static"===c&&(e.style.position="relative"),s=u.offset(),i=v.css(e,"top"),l=v.css(e,"left"),("absolute"===c||"fixed"===c)&&(i+l).indexOf("auto")>-1?(a=(r=u.position()).top,o=r.left):(a=parseFloat(i)||0,o=parseFloat(l)||0),v.isFunction(t)&&(t=t.call(e,n,v.extend({},s))),null!=t.top&&(p.top=t.top-s.top+a),null!=t.left&&(p.left=t.left-s.left+o),"using"in t?t.using.call(e,p):u.css(p)}},v.fn.extend({offset:function(e){if(arguments.length)return void 0===e?this:this.each(function(t){v.offset.setOffset(this,e,t)});var t,n,r,o,i=this[0];return i?i.getClientRects().length?(r=i.getBoundingClientRect(),n=(t=i.ownerDocument).documentElement,o=t.defaultView,{top:r.top+o.pageYOffset-n.clientTop,left:r.left+o.pageXOffset-n.clientLeft}):{top:0,left:0}:void 0},position:function(){if(this[0]){var e,t,n=this[0],r={top:0,left:0};return"fixed"===v.css(n,"position")?t=n.getBoundingClientRect():(e=this.offsetParent(),t=this.offset(),P(e[0],"html")||(r=e.offset()),r={top:r.top+v.css(e[0],"borderTopWidth",!0),left:r.left+v.css(e[0],"borderLeftWidth",!0)}),{top:t.top-r.top-v.css(n,"marginTop",!0),left:t.left-r.left-v.css(n,"marginLeft",!0)}}},offsetParent:function(){return this.map(function(){for(var e=this.offsetParent;e&&"static"===v.css(e,"position");)e=e.offsetParent;return e||_e})}}),v.each({scrollLeft:"pageXOffset",scrollTop:"pageYOffset"},function(e,t){var n="pageYOffset"===t;v.fn[e]=function(r){return q(this,function(e,r,o){var i;if(v.isWindow(e)?i=e:9===e.nodeType&&(i=e.defaultView),void 0===o)return i?i[t]:e[r];i?i.scrollTo(n?i.pageXOffset:o,n?o:i.pageYOffset):e[r]=o},e,r,arguments.length)}}),v.each(["top","left"],function(e,t){v.cssHooks[t]=We(g.pixelPosition,function(e,n){if(n)return n=Ue(e,t),Ne.test(n)?v(e).position()[t]+"px":n})}),v.each({Height:"height",Width:"width"},function(e,t){v.each({padding:"inner"+e,content:t,"":"outer"+e},function(n,r){v.fn[r]=function(o,i){var a=arguments.length&&(n||"boolean"!=typeof o),s=n||(!0===o||!0===i?"margin":"border");return q(this,function(t,n,o){var i;return v.isWindow(t)?0===r.indexOf("outer")?t["inner"+e]:t.document.documentElement["client"+e]:9===t.nodeType?(i=t.documentElement,Math.max(t.body["scroll"+e],i["scroll"+e],t.body["offset"+e],i["offset"+e],i["client"+e])):void 0===o?v.css(t,n,s):v.style(t,n,o,s)},t,a?o:void 0,a)}})}),v.fn.extend({bind:function(e,t,n){return this.on(e,null,t,n)},unbind:function(e,t){return this.off(e,null,t)},delegate:function(e,t,n,r){return this.on(t,e,n,r)},undelegate:function(e,t,n){return 1===arguments.length?this.off(e,"**"):this.off(t,e||"**",n)}}),v.holdReady=function(e){e?v.readyWait++:v.ready(!0)},v.isArray=Array.isArray,v.parseJSON=JSON.parse,v.nodeName=P,void 0===(r=function(){return v}.apply(t,[]))||(e.exports=r);var Ht=n.jQuery,$t=n.$;return v.noConflict=function(e){return n.$===v&&(n.$=$t),e&&n.jQuery===v&&(n.jQuery=Ht),v},o||(n.jQuery=n.$=v),v})},2948:function(e,t,n){"use strict";(function(e){Object.defineProperty(t,"__esModule",{value:!0}),t.RateLimit=t.default=void 0;var r,o,i,a,s,l,c=function(){function e(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}return function(t,n,r){return n&&e(t.prototype,n),r&&e(t,r),t}}(),u=m(n(1)),p=m(n(0)),d=m(n(2949)),f=n(33),h=m(n(2950));function m(e){return e&&e.__esModule?e:{default:e}}function b(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function g(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}function _(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}var v=e(d.default)((i=o=function(e){function t(){return b(this,t),g(this,(t.__proto__||Object.getPrototypeOf(t)).apply(this,arguments))}return _(t,u.default.Component),c(t,[{key:"render",value:function(){var e=1e3*this.props.error.waitForSeconds;(!e||e>3e4)&&(e=3e4,console.error("Unexpected waitFor value in rate limit error: "+this.props.error.waitForSeconds));var t=this.props.handleRequest;return u.default.createElement(h.default,{durationInMS:e,render:function(e){return u.default.createElement(y,{secondsRemaining:e.secondsRemaining,handleRequest:t})}})}}]),t}(),o.propTypes={error:p.default.shape({waitForSeconds:p.default.number}),handleRequest:p.default.func},r=i))||r;t.default=v;var y=t.RateLimit=e(d.default)((l=s=function(e){function t(){return b(this,t),g(this,(t.__proto__||Object.getPrototypeOf(t)).apply(this,arguments))}return _(t,u.default.Component),c(t,[{key:"render",value:function(){var e=this.props.secondsRemaining;return u.default.createElement("div",{styleName:"rate-limit-container"},u.default.createElement("section",{styleName:"large"},"Workspaces Limit Reached"),e?u.default.createElement("section",{styleName:"error-explanation"},u.default.createElement("p",null,"You have requested too many Workspaces in quick succession."),u.default.createElement("p",null,"Please wait."),u.default.createElement("p",{styleName:"large"},e),u.default.createElement("p",{styleName:"details"},"To protect availability of Workspaces for all students, we limit how frequently students can request new Workspaces.")):u.default.createElement("section",{styleName:"error-explanation"},u.default.createElement(f.Button,{styleName:"button",onClick:this.props.handleRequest},"Access Workspace"),u.default.createElement("p",{styleName:"message"},"If you still can't load the workspace, ",u.default.createElement("a",{href:"https://udacity.zendesk.com/hc/en-us/requests/new"},"contact support"))))}}]),t}(),s.propTypes={secondsRemaining:p.default.number,handleRequest:p.default.func},a=l))||a}).call(this,n(5))},2949:function(e,t,n){e.exports={button:"rate-limit--button--21YdT",large:"rate-limit--large--3wmHv",message:"rate-limit--message--xKcm-","rate-limit-container":"rate-limit--rate-limit-container--EFgY8","error-explanation":"rate-limit--error-explanation--2Q59r",details:"rate-limit--details--ndCQD"}},2950:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.default=void 0;var r,o,i=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var n=arguments[t];for(var r in n)Object.prototype.hasOwnProperty.call(n,r)&&(e[r]=n[r])}return e},a=function(){function e(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}return function(t,n,r){return n&&e(t.prototype,n),r&&e(t,r),t}}(),s=c(n(0)),l=c(n(1));function c(e){return e&&e.__esModule?e:{default:e}}function u(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}var p=(o=r=function(e){function t(){var e,n,r;!function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}(this,t);for(var o=arguments.length,i=Array(o),a=0;a<o;a++)i[a]=arguments[a];return n=r=u(this,(e=t.__proto__||Object.getPrototypeOf(t)).call.apply(e,[this].concat(i))),r.state={endTime:Date.now()+r.props.durationInMS,secondsRemaining:Math.ceil(r.props.durationInMS/1e3)},u(r,n)}return function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}(t,l.default.Component),a(t,[{key:"componentDidMount",value:function(){var e=this;this.timer=setInterval(function(){e.state.secondsRemaining<=0?e._stopTimer():e.setState(function(e){var t=e.endTime-Date.now(),n=Math.ceil(t/1e3);return i({},e,{secondsRemaining:Math.max(0,n)})})},500)}},{key:"componentWillUnmount",value:function(){this._stopTimer()}},{key:"_stopTimer",value:function(){clearInterval(this.timer)}},{key:"render",value:function(){return this.props.render(this.state)}}]),t}(),r.propTypes={durationInMS:s.default.number.isRequired},o);t.default=p},2951:function(e,t,n){e.exports={"star-progress":"star-progress--star-progress--336Wa","progress-div":"star-progress--progress-div--5qRNn","progress-phase":"star-progress--progress-phase--3gSl8","progress-text":"star-progress--progress-text--oxkIx","progress-heading":"star-progress--progress-heading--TCIZX star-progress--progress-text--oxkIx","progress-stuck":"star-progress--progress-stuck--2Q4mP star-progress--progress-text--oxkIx","progress-bar":"star-progress--progress-bar--flt9t","progress-bar-inner":"star-progress--progress-bar-inner--17aZX"}},2952:function(e,t,n){"use strict";var r;Object.defineProperty(t,"__esModule",{value:!0}),t.reducer=t.initialState=void 0;var o=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var n=arguments[t];for(var r in n)Object.prototype.hasOwnProperty.call(n,r)&&(e[r]=n[r])}return e};t.updateStar=function(e,t){return{type:l,scope:e,response:t,reducer:d}},t.connectionLost=function(e,t){return{type:c,scope:e,error:t,reducer:d}},t.makeSaga=function(e){var t=e.nebulaUrl,n=void 0===t?h:t;return regeneratorRuntime.mark(function e(t,r){return regeneratorRuntime.wrap(function(e){for(;;)switch(e.prev=e.next){case 0:return e.next=2,(0,a.put)({type:u,scope:r,services:{nebulaUrl:n,starsUrl:n+"/"+f}});case 2:case"end":return e.stop()}},e,this)})};var i=n(1635),a=n(137);function s(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}var l="udacity/workspace/star/response",c="udacity/workspace/star/disconnected",u="udacity/workspace/star/initialize-services",p=t.initialState={},d=t.reducer=(0,i.createReducer)(p,(s(r={},l,function(e,t){var n=t.response;return o({},e,{response:n,connected:!0})}),s(r,c,function(e,t){var n=t.error;return o({},e,{response:n,connected:!1})}),s(r,u,function(e,t){var n=t.services;return o({},e,{services:n})}),r));var f="api/v2/stars",h="https://nebula.udacity.com"},2953:function(e,t,n){"use strict";(function(e){Object.defineProperty(t,"__esModule",{value:!0});var n=function(){function e(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}return function(t,n,r){return n&&e(t.prototype,n),r&&e(t,r),t}}();var r=e.noop,o=function(){function t(n){var o=this,i=n.element,a=n.timeout,s=n.events,l=n.onActive,c=void 0===l?r:l;!function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}(this,t),this.lastActivity=Date.now(),this.timeout=a,this.events=s,this.element=i,this.onActive=c,this.logger=e.debounce(function(){return o.log()},500)}return n(t,[{key:"log",value:function(){var e=this.isIdle;this.lastActivity=Date.now(),e&&this.onActive()}},{key:"start",value:function(){var e=this;return this.events.map(function(t){return e.element.addEventListener(t,e.logger)})}},{key:"stop",value:function(){var e=this;return this.events.map(function(t){return e.element.removeEventListener(t,e.logger)})}},{key:"isIdle",get:function(){return Date.now()-this.lastActivity>this.timeout}}]),t}();t.default=o}).call(this,n(4))},2954:function(e,t,n){var r=n(2955);"string"==typeof r&&(r=[[e.i,r,""]]);var o={hmr:!0,transform:void 0,insertInto:void 0};n(293)(r,o);r.locals&&(e.exports=r.locals)},2955:function(e,t,n){var r=n(1991);(e.exports=n(292)(!1)).push([e.i,"/*!\n * Font Awesome 4.1.0 by @davegandy - http://fontawesome.io - @fontawesome\n * License - http://fontawesome.io/license (Font: SIL OFL 1.1, CSS: MIT License)\n */\n @font-face{font-family:'FontAwesome';src:url("+r(n(2956))+");src:url("+r(n(2957))+"?#iefix&v=4.1.0) format('embedded-opentype'),url("+r(n(2958))+") format('woff'),url("+r(n(2959))+") format('truetype'),url("+r(n(2960))+'#fontawesomeregular) format(\'svg\');font-weight:normal;font-style:normal}.fa{display:inline-block;font-family:FontAwesome;font-style:normal;font-weight:normal;line-height:1;-webkit-font-smoothing:antialiased;-moz-osx-font-smoothing:grayscale}.fa-lg{font-size:1.33333333em;line-height:.75em;vertical-align:-15%}.fa-2x{font-size:2em}.fa-3x{font-size:3em}.fa-4x{font-size:4em}.fa-5x{font-size:5em}.fa-fw{width:1.28571429em;text-align:center}.fa-ul{padding-left:0;margin-left:2.14285714em;list-style-type:none}.fa-ul>li{position:relative}.fa-li{position:absolute;left:-2.14285714em;width:2.14285714em;top:.14285714em;text-align:center}.fa-li.fa-lg{left:-1.85714286em}.fa-border{padding:.2em .25em .15em;border:solid .08em #eee;border-radius:.1em}.pull-right{float:right}.pull-left{float:left}.fa.pull-left{margin-right:.3em}.fa.pull-right{margin-left:.3em}.fa-spin{-webkit-animation:spin 2s infinite linear;-moz-animation:spin 2s infinite linear;-o-animation:spin 2s infinite linear;animation:spin 2s infinite linear}@-moz-keyframes spin{0%{-moz-transform:rotate(0deg)}100%{-moz-transform:rotate(359deg)}}@-webkit-keyframes spin{0%{-webkit-transform:rotate(0deg)}100%{-webkit-transform:rotate(359deg)}}@-o-keyframes spin{0%{-o-transform:rotate(0deg)}100%{-o-transform:rotate(359deg)}}@keyframes spin{0%{-webkit-transform:rotate(0deg);transform:rotate(0deg)}100%{-webkit-transform:rotate(359deg);transform:rotate(359deg)}}.fa-rotate-90{filter:progid:DXImageTransform.Microsoft.BasicImage(rotation=1);-webkit-transform:rotate(90deg);-moz-transform:rotate(90deg);-ms-transform:rotate(90deg);-o-transform:rotate(90deg);transform:rotate(90deg)}.fa-rotate-180{filter:progid:DXImageTransform.Microsoft.BasicImage(rotation=2);-webkit-transform:rotate(180deg);-moz-transform:rotate(180deg);-ms-transform:rotate(180deg);-o-transform:rotate(180deg);transform:rotate(180deg)}.fa-rotate-270{filter:progid:DXImageTransform.Microsoft.BasicImage(rotation=3);-webkit-transform:rotate(270deg);-moz-transform:rotate(270deg);-ms-transform:rotate(270deg);-o-transform:rotate(270deg);transform:rotate(270deg)}.fa-flip-horizontal{filter:progid:DXImageTransform.Microsoft.BasicImage(rotation=0, mirror=1);-webkit-transform:scale(-1, 1);-moz-transform:scale(-1, 1);-ms-transform:scale(-1, 1);-o-transform:scale(-1, 1);transform:scale(-1, 1)}.fa-flip-vertical{filter:progid:DXImageTransform.Microsoft.BasicImage(rotation=2, mirror=1);-webkit-transform:scale(1, -1);-moz-transform:scale(1, -1);-ms-transform:scale(1, -1);-o-transform:scale(1, -1);transform:scale(1, -1)}.fa-stack{position:relative;display:inline-block;width:2em;height:2em;line-height:2em;vertical-align:middle}.fa-stack-1x,.fa-stack-2x{position:absolute;left:0;width:100%;text-align:center}.fa-stack-1x{line-height:inherit}.fa-stack-2x{font-size:2em}.fa-inverse{color:#fff}.fa-glass:before{content:"\\F000"}.fa-music:before{content:"\\F001"}.fa-search:before{content:"\\F002"}.fa-envelope-o:before{content:"\\F003"}.fa-heart:before{content:"\\F004"}.fa-star:before{content:"\\F005"}.fa-star-o:before{content:"\\F006"}.fa-user:before{content:"\\F007"}.fa-film:before{content:"\\F008"}.fa-th-large:before{content:"\\F009"}.fa-th:before{content:"\\F00A"}.fa-th-list:before{content:"\\F00B"}.fa-check:before{content:"\\F00C"}.fa-times:before{content:"\\F00D"}.fa-search-plus:before{content:"\\F00E"}.fa-search-minus:before{content:"\\F010"}.fa-power-off:before{content:"\\F011"}.fa-signal:before{content:"\\F012"}.fa-gear:before,.fa-cog:before{content:"\\F013"}.fa-trash-o:before{content:"\\F014"}.fa-home:before{content:"\\F015"}.fa-file-o:before{content:"\\F016"}.fa-clock-o:before{content:"\\F017"}.fa-road:before{content:"\\F018"}.fa-download:before{content:"\\F019"}.fa-arrow-circle-o-down:before{content:"\\F01A"}.fa-arrow-circle-o-up:before{content:"\\F01B"}.fa-inbox:before{content:"\\F01C"}.fa-play-circle-o:before{content:"\\F01D"}.fa-rotate-right:before,.fa-repeat:before{content:"\\F01E"}.fa-refresh:before{content:"\\F021"}.fa-list-alt:before{content:"\\F022"}.fa-lock:before{content:"\\F023"}.fa-flag:before{content:"\\F024"}.fa-headphones:before{content:"\\F025"}.fa-volume-off:before{content:"\\F026"}.fa-volume-down:before{content:"\\F027"}.fa-volume-up:before{content:"\\F028"}.fa-qrcode:before{content:"\\F029"}.fa-barcode:before{content:"\\F02A"}.fa-tag:before{content:"\\F02B"}.fa-tags:before{content:"\\F02C"}.fa-book:before{content:"\\F02D"}.fa-bookmark:before{content:"\\F02E"}.fa-print:before{content:"\\F02F"}.fa-camera:before{content:"\\F030"}.fa-font:before{content:"\\F031"}.fa-bold:before{content:"\\F032"}.fa-italic:before{content:"\\F033"}.fa-text-height:before{content:"\\F034"}.fa-text-width:before{content:"\\F035"}.fa-align-left:before{content:"\\F036"}.fa-align-center:before{content:"\\F037"}.fa-align-right:before{content:"\\F038"}.fa-align-justify:before{content:"\\F039"}.fa-list:before{content:"\\F03A"}.fa-dedent:before,.fa-outdent:before{content:"\\F03B"}.fa-indent:before{content:"\\F03C"}.fa-video-camera:before{content:"\\F03D"}.fa-photo:before,.fa-image:before,.fa-picture-o:before{content:"\\F03E"}.fa-pencil:before{content:"\\F040"}.fa-map-marker:before{content:"\\F041"}.fa-adjust:before{content:"\\F042"}.fa-tint:before{content:"\\F043"}.fa-edit:before,.fa-pencil-square-o:before{content:"\\F044"}.fa-share-square-o:before{content:"\\F045"}.fa-check-square-o:before{content:"\\F046"}.fa-arrows:before{content:"\\F047"}.fa-step-backward:before{content:"\\F048"}.fa-fast-backward:before{content:"\\F049"}.fa-backward:before{content:"\\F04A"}.fa-play:before{content:"\\F04B"}.fa-pause:before{content:"\\F04C"}.fa-stop:before{content:"\\F04D"}.fa-forward:before{content:"\\F04E"}.fa-fast-forward:before{content:"\\F050"}.fa-step-forward:before{content:"\\F051"}.fa-eject:before{content:"\\F052"}.fa-chevron-left:before{content:"\\F053"}.fa-chevron-right:before{content:"\\F054"}.fa-plus-circle:before{content:"\\F055"}.fa-minus-circle:before{content:"\\F056"}.fa-times-circle:before{content:"\\F057"}.fa-check-circle:before{content:"\\F058"}.fa-question-circle:before{content:"\\F059"}.fa-info-circle:before{content:"\\F05A"}.fa-crosshairs:before{content:"\\F05B"}.fa-times-circle-o:before{content:"\\F05C"}.fa-check-circle-o:before{content:"\\F05D"}.fa-ban:before{content:"\\F05E"}.fa-arrow-left:before{content:"\\F060"}.fa-arrow-right:before{content:"\\F061"}.fa-arrow-up:before{content:"\\F062"}.fa-arrow-down:before{content:"\\F063"}.fa-mail-forward:before,.fa-share:before{content:"\\F064"}.fa-expand:before{content:"\\F065"}.fa-compress:before{content:"\\F066"}.fa-plus:before{content:"\\F067"}.fa-minus:before{content:"\\F068"}.fa-asterisk:before{content:"\\F069"}.fa-exclamation-circle:before{content:"\\F06A"}.fa-gift:before{content:"\\F06B"}.fa-leaf:before{content:"\\F06C"}.fa-fire:before{content:"\\F06D"}.fa-eye:before{content:"\\F06E"}.fa-eye-slash:before{content:"\\F070"}.fa-warning:before,.fa-exclamation-triangle:before{content:"\\F071"}.fa-plane:before{content:"\\F072"}.fa-calendar:before{content:"\\F073"}.fa-random:before{content:"\\F074"}.fa-comment:before{content:"\\F075"}.fa-magnet:before{content:"\\F076"}.fa-chevron-up:before{content:"\\F077"}.fa-chevron-down:before{content:"\\F078"}.fa-retweet:before{content:"\\F079"}.fa-shopping-cart:before{content:"\\F07A"}.fa-folder:before{content:"\\F07B"}.fa-folder-open:before{content:"\\F07C"}.fa-arrows-v:before{content:"\\F07D"}.fa-arrows-h:before{content:"\\F07E"}.fa-bar-chart-o:before{content:"\\F080"}.fa-twitter-square:before{content:"\\F081"}.fa-facebook-square:before{content:"\\F082"}.fa-camera-retro:before{content:"\\F083"}.fa-key:before{content:"\\F084"}.fa-gears:before,.fa-cogs:before{content:"\\F085"}.fa-comments:before{content:"\\F086"}.fa-thumbs-o-up:before{content:"\\F087"}.fa-thumbs-o-down:before{content:"\\F088"}.fa-star-half:before{content:"\\F089"}.fa-heart-o:before{content:"\\F08A"}.fa-sign-out:before{content:"\\F08B"}.fa-linkedin-square:before{content:"\\F08C"}.fa-thumb-tack:before{content:"\\F08D"}.fa-external-link:before{content:"\\F08E"}.fa-sign-in:before{content:"\\F090"}.fa-trophy:before{content:"\\F091"}.fa-github-square:before{content:"\\F092"}.fa-upload:before{content:"\\F093"}.fa-lemon-o:before{content:"\\F094"}.fa-phone:before{content:"\\F095"}.fa-square-o:before{content:"\\F096"}.fa-bookmark-o:before{content:"\\F097"}.fa-phone-square:before{content:"\\F098"}.fa-twitter:before{content:"\\F099"}.fa-facebook:before{content:"\\F09A"}.fa-github:before{content:"\\F09B"}.fa-unlock:before{content:"\\F09C"}.fa-credit-card:before{content:"\\F09D"}.fa-rss:before{content:"\\F09E"}.fa-hdd-o:before{content:"\\F0A0"}.fa-bullhorn:before{content:"\\F0A1"}.fa-bell:before{content:"\\F0F3"}.fa-certificate:before{content:"\\F0A3"}.fa-hand-o-right:before{content:"\\F0A4"}.fa-hand-o-left:before{content:"\\F0A5"}.fa-hand-o-up:before{content:"\\F0A6"}.fa-hand-o-down:before{content:"\\F0A7"}.fa-arrow-circle-left:before{content:"\\F0A8"}.fa-arrow-circle-right:before{content:"\\F0A9"}.fa-arrow-circle-up:before{content:"\\F0AA"}.fa-arrow-circle-down:before{content:"\\F0AB"}.fa-globe:before{content:"\\F0AC"}.fa-wrench:before{content:"\\F0AD"}.fa-tasks:before{content:"\\F0AE"}.fa-filter:before{content:"\\F0B0"}.fa-briefcase:before{content:"\\F0B1"}.fa-arrows-alt:before{content:"\\F0B2"}.fa-group:before,.fa-users:before{content:"\\F0C0"}.fa-chain:before,.fa-link:before{content:"\\F0C1"}.fa-cloud:before{content:"\\F0C2"}.fa-flask:before{content:"\\F0C3"}.fa-cut:before,.fa-scissors:before{content:"\\F0C4"}.fa-copy:before,.fa-files-o:before{content:"\\F0C5"}.fa-paperclip:before{content:"\\F0C6"}.fa-save:before,.fa-floppy-o:before{content:"\\F0C7"}.fa-square:before{content:"\\F0C8"}.fa-navicon:before,.fa-reorder:before,.fa-bars:before{content:"\\F0C9"}.fa-list-ul:before{content:"\\F0CA"}.fa-list-ol:before{content:"\\F0CB"}.fa-strikethrough:before{content:"\\F0CC"}.fa-underline:before{content:"\\F0CD"}.fa-table:before{content:"\\F0CE"}.fa-magic:before{content:"\\F0D0"}.fa-truck:before{content:"\\F0D1"}.fa-pinterest:before{content:"\\F0D2"}.fa-pinterest-square:before{content:"\\F0D3"}.fa-google-plus-square:before{content:"\\F0D4"}.fa-google-plus:before{content:"\\F0D5"}.fa-money:before{content:"\\F0D6"}.fa-caret-down:before{content:"\\F0D7"}.fa-caret-up:before{content:"\\F0D8"}.fa-caret-left:before{content:"\\F0D9"}.fa-caret-right:before{content:"\\F0DA"}.fa-columns:before{content:"\\F0DB"}.fa-unsorted:before,.fa-sort:before{content:"\\F0DC"}.fa-sort-down:before,.fa-sort-desc:before{content:"\\F0DD"}.fa-sort-up:before,.fa-sort-asc:before{content:"\\F0DE"}.fa-envelope:before{content:"\\F0E0"}.fa-linkedin:before{content:"\\F0E1"}.fa-rotate-left:before,.fa-undo:before{content:"\\F0E2"}.fa-legal:before,.fa-gavel:before{content:"\\F0E3"}.fa-dashboard:before,.fa-tachometer:before{content:"\\F0E4"}.fa-comment-o:before{content:"\\F0E5"}.fa-comments-o:before{content:"\\F0E6"}.fa-flash:before,.fa-bolt:before{content:"\\F0E7"}.fa-sitemap:before{content:"\\F0E8"}.fa-umbrella:before{content:"\\F0E9"}.fa-paste:before,.fa-clipboard:before{content:"\\F0EA"}.fa-lightbulb-o:before{content:"\\F0EB"}.fa-exchange:before{content:"\\F0EC"}.fa-cloud-download:before{content:"\\F0ED"}.fa-cloud-upload:before{content:"\\F0EE"}.fa-user-md:before{content:"\\F0F0"}.fa-stethoscope:before{content:"\\F0F1"}.fa-suitcase:before{content:"\\F0F2"}.fa-bell-o:before{content:"\\F0A2"}.fa-coffee:before{content:"\\F0F4"}.fa-cutlery:before{content:"\\F0F5"}.fa-file-text-o:before{content:"\\F0F6"}.fa-building-o:before{content:"\\F0F7"}.fa-hospital-o:before{content:"\\F0F8"}.fa-ambulance:before{content:"\\F0F9"}.fa-medkit:before{content:"\\F0FA"}.fa-fighter-jet:before{content:"\\F0FB"}.fa-beer:before{content:"\\F0FC"}.fa-h-square:before{content:"\\F0FD"}.fa-plus-square:before{content:"\\F0FE"}.fa-angle-double-left:before{content:"\\F100"}.fa-angle-double-right:before{content:"\\F101"}.fa-angle-double-up:before{content:"\\F102"}.fa-angle-double-down:before{content:"\\F103"}.fa-angle-left:before{content:"\\F104"}.fa-angle-right:before{content:"\\F105"}.fa-angle-up:before{content:"\\F106"}.fa-angle-down:before{content:"\\F107"}.fa-desktop:before{content:"\\F108"}.fa-laptop:before{content:"\\F109"}.fa-tablet:before{content:"\\F10A"}.fa-mobile-phone:before,.fa-mobile:before{content:"\\F10B"}.fa-circle-o:before{content:"\\F10C"}.fa-quote-left:before{content:"\\F10D"}.fa-quote-right:before{content:"\\F10E"}.fa-spinner:before{content:"\\F110"}.fa-circle:before{content:"\\F111"}.fa-mail-reply:before,.fa-reply:before{content:"\\F112"}.fa-github-alt:before{content:"\\F113"}.fa-folder-o:before{content:"\\F114"}.fa-folder-open-o:before{content:"\\F115"}.fa-smile-o:before{content:"\\F118"}.fa-frown-o:before{content:"\\F119"}.fa-meh-o:before{content:"\\F11A"}.fa-gamepad:before{content:"\\F11B"}.fa-keyboard-o:before{content:"\\F11C"}.fa-flag-o:before{content:"\\F11D"}.fa-flag-checkered:before{content:"\\F11E"}.fa-terminal:before{content:"\\F120"}.fa-code:before{content:"\\F121"}.fa-mail-reply-all:before,.fa-reply-all:before{content:"\\F122"}.fa-star-half-empty:before,.fa-star-half-full:before,.fa-star-half-o:before{content:"\\F123"}.fa-location-arrow:before{content:"\\F124"}.fa-crop:before{content:"\\F125"}.fa-code-fork:before{content:"\\F126"}.fa-unlink:before,.fa-chain-broken:before{content:"\\F127"}.fa-question:before{content:"\\F128"}.fa-info:before{content:"\\F129"}.fa-exclamation:before{content:"\\F12A"}.fa-superscript:before{content:"\\F12B"}.fa-subscript:before{content:"\\F12C"}.fa-eraser:before{content:"\\F12D"}.fa-puzzle-piece:before{content:"\\F12E"}.fa-microphone:before{content:"\\F130"}.fa-microphone-slash:before{content:"\\F131"}.fa-shield:before{content:"\\F132"}.fa-calendar-o:before{content:"\\F133"}.fa-fire-extinguisher:before{content:"\\F134"}.fa-rocket:before{content:"\\F135"}.fa-maxcdn:before{content:"\\F136"}.fa-chevron-circle-left:before{content:"\\F137"}.fa-chevron-circle-right:before{content:"\\F138"}.fa-chevron-circle-up:before{content:"\\F139"}.fa-chevron-circle-down:before{content:"\\F13A"}.fa-html5:before{content:"\\F13B"}.fa-css3:before{content:"\\F13C"}.fa-anchor:before{content:"\\F13D"}.fa-unlock-alt:before{content:"\\F13E"}.fa-bullseye:before{content:"\\F140"}.fa-ellipsis-h:before{content:"\\F141"}.fa-ellipsis-v:before{content:"\\F142"}.fa-rss-square:before{content:"\\F143"}.fa-play-circle:before{content:"\\F144"}.fa-ticket:before{content:"\\F145"}.fa-minus-square:before{content:"\\F146"}.fa-minus-square-o:before{content:"\\F147"}.fa-level-up:before{content:"\\F148"}.fa-level-down:before{content:"\\F149"}.fa-check-square:before{content:"\\F14A"}.fa-pencil-square:before{content:"\\F14B"}.fa-external-link-square:before{content:"\\F14C"}.fa-share-square:before{content:"\\F14D"}.fa-compass:before{content:"\\F14E"}.fa-toggle-down:before,.fa-caret-square-o-down:before{content:"\\F150"}.fa-toggle-up:before,.fa-caret-square-o-up:before{content:"\\F151"}.fa-toggle-right:before,.fa-caret-square-o-right:before{content:"\\F152"}.fa-euro:before,.fa-eur:before{content:"\\F153"}.fa-gbp:before{content:"\\F154"}.fa-dollar:before,.fa-usd:before{content:"\\F155"}.fa-rupee:before,.fa-inr:before{content:"\\F156"}.fa-cny:before,.fa-rmb:before,.fa-yen:before,.fa-jpy:before{content:"\\F157"}.fa-ruble:before,.fa-rouble:before,.fa-rub:before{content:"\\F158"}.fa-won:before,.fa-krw:before{content:"\\F159"}.fa-bitcoin:before,.fa-btc:before{content:"\\F15A"}.fa-file:before{content:"\\F15B"}.fa-file-text:before{content:"\\F15C"}.fa-sort-alpha-asc:before{content:"\\F15D"}.fa-sort-alpha-desc:before{content:"\\F15E"}.fa-sort-amount-asc:before{content:"\\F160"}.fa-sort-amount-desc:before{content:"\\F161"}.fa-sort-numeric-asc:before{content:"\\F162"}.fa-sort-numeric-desc:before{content:"\\F163"}.fa-thumbs-up:before{content:"\\F164"}.fa-thumbs-down:before{content:"\\F165"}.fa-youtube-square:before{content:"\\F166"}.fa-youtube:before{content:"\\F167"}.fa-xing:before{content:"\\F168"}.fa-xing-square:before{content:"\\F169"}.fa-youtube-play:before{content:"\\F16A"}.fa-dropbox:before{content:"\\F16B"}.fa-stack-overflow:before{content:"\\F16C"}.fa-instagram:before{content:"\\F16D"}.fa-flickr:before{content:"\\F16E"}.fa-adn:before{content:"\\F170"}.fa-bitbucket:before{content:"\\F171"}.fa-bitbucket-square:before{content:"\\F172"}.fa-tumblr:before{content:"\\F173"}.fa-tumblr-square:before{content:"\\F174"}.fa-long-arrow-down:before{content:"\\F175"}.fa-long-arrow-up:before{content:"\\F176"}.fa-long-arrow-left:before{content:"\\F177"}.fa-long-arrow-right:before{content:"\\F178"}.fa-apple:before{content:"\\F179"}.fa-windows:before{content:"\\F17A"}.fa-android:before{content:"\\F17B"}.fa-linux:before{content:"\\F17C"}.fa-dribbble:before{content:"\\F17D"}.fa-skype:before{content:"\\F17E"}.fa-foursquare:before{content:"\\F180"}.fa-trello:before{content:"\\F181"}.fa-female:before{content:"\\F182"}.fa-male:before{content:"\\F183"}.fa-gittip:before{content:"\\F184"}.fa-sun-o:before{content:"\\F185"}.fa-moon-o:before{content:"\\F186"}.fa-archive:before{content:"\\F187"}.fa-bug:before{content:"\\F188"}.fa-vk:before{content:"\\F189"}.fa-weibo:before{content:"\\F18A"}.fa-renren:before{content:"\\F18B"}.fa-pagelines:before{content:"\\F18C"}.fa-stack-exchange:before{content:"\\F18D"}.fa-arrow-circle-o-right:before{content:"\\F18E"}.fa-arrow-circle-o-left:before{content:"\\F190"}.fa-toggle-left:before,.fa-caret-square-o-left:before{content:"\\F191"}.fa-dot-circle-o:before{content:"\\F192"}.fa-wheelchair:before{content:"\\F193"}.fa-vimeo-square:before{content:"\\F194"}.fa-turkish-lira:before,.fa-try:before{content:"\\F195"}.fa-plus-square-o:before{content:"\\F196"}.fa-space-shuttle:before{content:"\\F197"}.fa-slack:before{content:"\\F198"}.fa-envelope-square:before{content:"\\F199"}.fa-wordpress:before{content:"\\F19A"}.fa-openid:before{content:"\\F19B"}.fa-institution:before,.fa-bank:before,.fa-university:before{content:"\\F19C"}.fa-mortar-board:before,.fa-graduation-cap:before{content:"\\F19D"}.fa-yahoo:before{content:"\\F19E"}.fa-google:before{content:"\\F1A0"}.fa-reddit:before{content:"\\F1A1"}.fa-reddit-square:before{content:"\\F1A2"}.fa-stumbleupon-circle:before{content:"\\F1A3"}.fa-stumbleupon:before{content:"\\F1A4"}.fa-delicious:before{content:"\\F1A5"}.fa-digg:before{content:"\\F1A6"}.fa-pied-piper-square:before,.fa-pied-piper:before{content:"\\F1A7"}.fa-pied-piper-alt:before{content:"\\F1A8"}.fa-drupal:before{content:"\\F1A9"}.fa-joomla:before{content:"\\F1AA"}.fa-language:before{content:"\\F1AB"}.fa-fax:before{content:"\\F1AC"}.fa-building:before{content:"\\F1AD"}.fa-child:before{content:"\\F1AE"}.fa-paw:before{content:"\\F1B0"}.fa-spoon:before{content:"\\F1B1"}.fa-cube:before{content:"\\F1B2"}.fa-cubes:before{content:"\\F1B3"}.fa-behance:before{content:"\\F1B4"}.fa-behance-square:before{content:"\\F1B5"}.fa-steam:before{content:"\\F1B6"}.fa-steam-square:before{content:"\\F1B7"}.fa-recycle:before{content:"\\F1B8"}.fa-automobile:before,.fa-car:before{content:"\\F1B9"}.fa-cab:before,.fa-taxi:before{content:"\\F1BA"}.fa-tree:before{content:"\\F1BB"}.fa-spotify:before{content:"\\F1BC"}.fa-deviantart:before{content:"\\F1BD"}.fa-soundcloud:before{content:"\\F1BE"}.fa-database:before{content:"\\F1C0"}.fa-file-pdf-o:before{content:"\\F1C1"}.fa-file-word-o:before{content:"\\F1C2"}.fa-file-excel-o:before{content:"\\F1C3"}.fa-file-powerpoint-o:before{content:"\\F1C4"}.fa-file-photo-o:before,.fa-file-picture-o:before,.fa-file-image-o:before{content:"\\F1C5"}.fa-file-zip-o:before,.fa-file-archive-o:before{content:"\\F1C6"}.fa-file-sound-o:before,.fa-file-audio-o:before{content:"\\F1C7"}.fa-file-movie-o:before,.fa-file-video-o:before{content:"\\F1C8"}.fa-file-code-o:before{content:"\\F1C9"}.fa-vine:before{content:"\\F1CA"}.fa-codepen:before{content:"\\F1CB"}.fa-jsfiddle:before{content:"\\F1CC"}.fa-life-bouy:before,.fa-life-saver:before,.fa-support:before,.fa-life-ring:before{content:"\\F1CD"}.fa-circle-o-notch:before{content:"\\F1CE"}.fa-ra:before,.fa-rebel:before{content:"\\F1D0"}.fa-ge:before,.fa-empire:before{content:"\\F1D1"}.fa-git-square:before{content:"\\F1D2"}.fa-git:before{content:"\\F1D3"}.fa-hacker-news:before{content:"\\F1D4"}.fa-tencent-weibo:before{content:"\\F1D5"}.fa-qq:before{content:"\\F1D6"}.fa-wechat:before,.fa-weixin:before{content:"\\F1D7"}.fa-send:before,.fa-paper-plane:before{content:"\\F1D8"}.fa-send-o:before,.fa-paper-plane-o:before{content:"\\F1D9"}.fa-history:before{content:"\\F1DA"}.fa-circle-thin:before{content:"\\F1DB"}.fa-header:before{content:"\\F1DC"}.fa-paragraph:before{content:"\\F1DD"}.fa-sliders:before{content:"\\F1DE"}.fa-share-alt:before{content:"\\F1E0"}.fa-share-alt-square:before{content:"\\F1E1"}.fa-bomb:before{content:"\\F1E2"}\n',""])},2956:function(e,t,n){e.exports=n.p+"images/fontawesome-webfont-25a32.eot"},2957:function(e,t,n){e.exports=n.p+"images/fontawesome-webfont-25a32.eot"},2958:function(e,t,n){e.exports=n.p+"images/fontawesome-webfont-fdf49.woff"},2959:function(e,t,n){e.exports=n.p+"images/fontawesome-webfont-4f002.ttf"},2960:function(e,t,n){e.exports=n.p+"images/fontawesome-webfont-d7c63.svg"},2961:function(e,t,n){var r=n(2962);"string"==typeof r&&(r=[[e.i,r,""]]);var o={hmr:!0,transform:void 0,insertInto:void 0};n(293)(r,o);r.locals&&(e.exports=r.locals)},2962:function(e,t,n){(e.exports=n(292)(!1)).push([e.i,'/*!\n * Bootstrap v3.3.7 (http://getbootstrap.com)\n * Copyright 2011-2016 Twitter, Inc.\n * Licensed under MIT (https://github.com/twbs/bootstrap/blob/master/LICENSE)\n */\n\n/*! normalize.css v3.0.3 | MIT License | github.com/necolas/normalize.css */\n\n.scoped-bootstrap {\n font-family: sans-serif;\n -webkit-text-size-adjust: 100%;\n -ms-text-size-adjust: 100%;\n}\n\n.scoped-bootstrap {\n margin: 0;\n}\n\n.scoped-bootstrap article,\n.scoped-bootstrap aside,\n.scoped-bootstrap details,\n.scoped-bootstrap figcaption,\n.scoped-bootstrap figure,\n.scoped-bootstrap footer,\n.scoped-bootstrap header,\n.scoped-bootstrap hgroup,\n.scoped-bootstrap main,\n.scoped-bootstrap menu,\n.scoped-bootstrap nav,\n.scoped-bootstrap section,\n.scoped-bootstrap summary {\n display: block;\n}\n\n.scoped-bootstrap audio,\n.scoped-bootstrap canvas,\n.scoped-bootstrap progress,\n.scoped-bootstrap video {\n display: inline-block;\n vertical-align: baseline;\n}\n\n.scoped-bootstrap audio:not([controls]) {\n display: none;\n height: 0;\n}\n\n.scoped-bootstrap [hidden],\n.scoped-bootstrap template {\n display: none;\n}\n\n.scoped-bootstrap a {\n background-color: transparent;\n}\n\n.scoped-bootstrap a:active,\n.scoped-bootstrap a:hover {\n outline: 0;\n}\n\n.scoped-bootstrap abbr[title] {\n border-bottom: 1px dotted;\n}\n\n.scoped-bootstrap b,\n.scoped-bootstrap strong {\n font-weight: bold;\n}\n\n.scoped-bootstrap dfn {\n font-style: italic;\n}\n\n.scoped-bootstrap h1 {\n margin: .67em 0;\n font-size: 2em;\n}\n\n.scoped-bootstrap mark {\n color: #000;\n background: #ff0;\n}\n\n.scoped-bootstrap small {\n font-size: 80%;\n}\n\n.scoped-bootstrap sub,\n.scoped-bootstrap sup {\n position: relative;\n font-size: 75%;\n line-height: 0;\n vertical-align: baseline;\n}\n\n.scoped-bootstrap sup {\n top: -.5em;\n}\n\n.scoped-bootstrap sub {\n bottom: -.25em;\n}\n\n.scoped-bootstrap img {\n border: 0;\n}\n\n.scoped-bootstrap svg:not(:root) {\n overflow: hidden;\n}\n\n.scoped-bootstrap figure {\n margin: 1em 40px;\n}\n\n.scoped-bootstrap hr {\n height: 0;\n -webkit-box-sizing: content-box;\n -moz-box-sizing: content-box;\n box-sizing: content-box;\n}\n\npre {\n overflow: auto;\n}\n\ncode,\n.scoped-bootstrap kbd,\npre,\n.scoped-bootstrap samp {\n font-family: monospace, monospace;\n font-size: 1em;\n}\n\n.scoped-bootstrap button,\n.scoped-bootstrap input,\n.scoped-bootstrap optgroup,\n.scoped-bootstrap select,\n.scoped-bootstrap textarea {\n margin: 0;\n font: inherit;\n color: inherit;\n}\n\n.scoped-bootstrap button {\n overflow: visible;\n}\n\n.scoped-bootstrap button,\n.scoped-bootstrap select {\n text-transform: none;\n}\n\n.scoped-bootstrap button,\n.scoped-bootstrap input[type="button"],\n.scoped-bootstrap input[type="reset"],\n.scoped-bootstrap input[type="submit"] {\n -webkit-appearance: button;\n cursor: pointer;\n}\n\n.scoped-bootstrap button[disabled],\n.scoped-bootstrap input[disabled] {\n cursor: default;\n}\n\n.scoped-bootstrap button::-moz-focus-inner,\n.scoped-bootstrap input::-moz-focus-inner {\n padding: 0;\n border: 0;\n}\n\n.scoped-bootstrap input {\n line-height: normal;\n}\n\n.scoped-bootstrap input[type="checkbox"],\n.scoped-bootstrap input[type="radio"] {\n -webkit-box-sizing: border-box;\n -moz-box-sizing: border-box;\n box-sizing: border-box;\n padding: 0;\n}\n\n.scoped-bootstrap input[type="number"]::-webkit-inner-spin-button,\n.scoped-bootstrap input[type="number"]::-webkit-outer-spin-button {\n height: auto;\n}\n\n.scoped-bootstrap input[type="search"] {\n -webkit-box-sizing: content-box;\n -moz-box-sizing: content-box;\n box-sizing: content-box;\n -webkit-appearance: textfield;\n}\n\n.scoped-bootstrap input[type="search"]::-webkit-search-cancel-button,\n.scoped-bootstrap input[type="search"]::-webkit-search-decoration {\n -webkit-appearance: none;\n}\n\n.scoped-bootstrap fieldset {\n padding: .35em .625em .75em;\n margin: 0 2px;\n border: 1px solid #c0c0c0;\n}\n\n.scoped-bootstrap legend {\n padding: 0;\n border: 0;\n}\n\n.scoped-bootstrap textarea {\n overflow: auto;\n}\n\n.scoped-bootstrap optgroup {\n font-weight: bold;\n}\n\n.scoped-bootstrap table {\n border-spacing: 0;\n border-collapse: collapse;\n}\n\n.scoped-bootstrap td,\n.scoped-bootstrap th {\n padding: 0;\n}\n\n/*! Source: https://github.com/h5bp/html5-boilerplate/blob/master/src/css/main.css */\n\n@media print {\n .scoped-bootstrap *,\n .scoped-bootstrap *:before,\n .scoped-bootstrap *:after {\n color: #000 !important;\n text-shadow: none !important;\n background: transparent !important;\n -webkit-box-shadow: none !important;\n box-shadow: none !important;\n }\n\n .scoped-bootstrap a,\n .scoped-bootstrap a:visited {\n text-decoration: underline;\n }\n\n .scoped-bootstrap a[href]:after {\n content: " (" attr(href) ")";\n }\n\n .scoped-bootstrap abbr[title]:after {\n content: " (" attr(title) ")";\n }\n\n .scoped-bootstrap a[href^="#"]:after,\n .scoped-bootstrap a[href^="javascript:"]:after {\n content: "";\n }\n\n pre,\n .scoped-bootstrap blockquote {\n border: 1px solid #999;\n page-break-inside: avoid;\n }\n\n .scoped-bootstrap thead {\n display: table-header-group;\n }\n\n .scoped-bootstrap tr,\n .scoped-bootstrap img {\n page-break-inside: avoid;\n }\n\n .scoped-bootstrap img {\n max-width: 100% !important;\n }\n\n .scoped-bootstrap p,\n .scoped-bootstrap h2,\n .scoped-bootstrap h3 {\n orphans: 3;\n widows: 3;\n }\n\n .scoped-bootstrap h2,\n .scoped-bootstrap h3 {\n page-break-after: avoid;\n }\n\n .scoped-bootstrap .navbar {\n display: none;\n }\n\n .scoped-bootstrap .btn > .caret,\n .scoped-bootstrap .dropup > .btn > .caret {\n border-top-color: #000 !important;\n }\n\n .scoped-bootstrap .label {\n border: 1px solid #000;\n }\n\n .scoped-bootstrap .table {\n border-collapse: collapse !important;\n }\n\n .scoped-bootstrap .table td,\n .scoped-bootstrap .table th {\n background-color: #fff !important;\n }\n\n .scoped-bootstrap .table-bordered th,\n .scoped-bootstrap .table-bordered td {\n border: 1px solid #ddd !important;\n }\n}\n\n.scoped-bootstrap * {\n -webkit-box-sizing: border-box;\n -moz-box-sizing: border-box;\n box-sizing: border-box;\n}\n\n.scoped-bootstrap *:before,\n.scoped-bootstrap *:after {\n -webkit-box-sizing: border-box;\n -moz-box-sizing: border-box;\n box-sizing: border-box;\n}\n\n.scoped-bootstrap {\n font-size: 10px;\n -webkit-tap-highlight-color: rgba(0, 0, 0, 0);\n}\n\n.scoped-bootstrap {\n font-family: "Helvetica Neue", Helvetica, Arial, sans-serif;\n font-size: 14px;\n line-height: 1.42857143;\n color: #333;\n background-color: #fff;\n}\n\n.scoped-bootstrap input,\n.scoped-bootstrap button,\n.scoped-bootstrap select,\n.scoped-bootstrap textarea {\n font-family: inherit;\n font-size: inherit;\n line-height: inherit;\n}\n\n.scoped-bootstrap a {\n color: #337ab7;\n text-decoration: none;\n}\n\n.scoped-bootstrap a:hover,\n.scoped-bootstrap a:focus {\n color: #23527c;\n text-decoration: underline;\n}\n\n.scoped-bootstrap a:focus {\n outline: 5px auto -webkit-focus-ring-color;\n outline-offset: -2px;\n}\n\n.scoped-bootstrap figure {\n margin: 0;\n}\n\n.scoped-bootstrap img {\n vertical-align: middle;\n}\n\n.scoped-bootstrap .img-responsive,\n.scoped-bootstrap .thumbnail > img,\n.scoped-bootstrap .thumbnail a > img,\n.scoped-bootstrap .carousel-inner > .item > img,\n.scoped-bootstrap .carousel-inner > .item > a > img {\n display: block;\n max-width: 100%;\n height: auto;\n}\n\n.scoped-bootstrap .img-rounded {\n border-radius: 6px;\n}\n\n.scoped-bootstrap .img-thumbnail {\n display: inline-block;\n max-width: 100%;\n height: auto;\n padding: 4px;\n line-height: 1.42857143;\n background-color: #fff;\n border: 1px solid #ddd;\n border-radius: 4px;\n -webkit-transition: all .2s ease-in-out;\n -o-transition: all .2s ease-in-out;\n transition: all .2s ease-in-out;\n}\n\n.scoped-bootstrap .img-circle {\n border-radius: 50%;\n}\n\n.scoped-bootstrap hr {\n margin-top: 20px;\n margin-bottom: 20px;\n border: 0;\n border-top: 1px solid #eee;\n}\n\n.scoped-bootstrap .sr-only {\n position: absolute;\n width: 1px;\n height: 1px;\n padding: 0;\n margin: -1px;\n overflow: hidden;\n clip: rect(0, 0, 0, 0);\n border: 0;\n}\n\n.scoped-bootstrap .sr-only-focusable:active,\n.scoped-bootstrap .sr-only-focusable:focus {\n position: static;\n width: auto;\n height: auto;\n margin: 0;\n overflow: visible;\n clip: auto;\n}\n\n.scoped-bootstrap [role="button"] {\n cursor: pointer;\n}\n\n.scoped-bootstrap h1,\n.scoped-bootstrap h2,\n.scoped-bootstrap h3,\n.scoped-bootstrap h4,\n.scoped-bootstrap h5,\n.scoped-bootstrap h6,\n.scoped-bootstrap .h1,\n.scoped-bootstrap .h2,\n.scoped-bootstrap .h3,\n.scoped-bootstrap .h4,\n.scoped-bootstrap .h5,\n.scoped-bootstrap .h6 {\n font-family: inherit;\n font-weight: 500;\n line-height: 1.1;\n color: inherit;\n}\n\n.scoped-bootstrap h1 small,\n.scoped-bootstrap h2 small,\n.scoped-bootstrap h3 small,\n.scoped-bootstrap h4 small,\n.scoped-bootstrap h5 small,\n.scoped-bootstrap h6 small,\n.scoped-bootstrap .h1 small,\n.scoped-bootstrap .h2 small,\n.scoped-bootstrap .h3 small,\n.scoped-bootstrap .h4 small,\n.scoped-bootstrap .h5 small,\n.scoped-bootstrap .h6 small,\n.scoped-bootstrap h1 .small,\n.scoped-bootstrap h2 .small,\n.scoped-bootstrap h3 .small,\n.scoped-bootstrap h4 .small,\n.scoped-bootstrap h5 .small,\n.scoped-bootstrap h6 .small,\n.scoped-bootstrap .h1 .small,\n.scoped-bootstrap .h2 .small,\n.scoped-bootstrap .h3 .small,\n.scoped-bootstrap .h4 .small,\n.scoped-bootstrap .h5 .small,\n.scoped-bootstrap .h6 .small {\n font-weight: normal;\n line-height: 1;\n color: #777;\n}\n\n.scoped-bootstrap h1,\n.scoped-bootstrap .h1,\n.scoped-bootstrap h2,\n.scoped-bootstrap .h2,\n.scoped-bootstrap h3,\n.scoped-bootstrap .h3 {\n margin-top: 20px;\n margin-bottom: 10px;\n}\n\n.scoped-bootstrap h1 small,\n.scoped-bootstrap .h1 small,\n.scoped-bootstrap h2 small,\n.scoped-bootstrap .h2 small,\n.scoped-bootstrap h3 small,\n.scoped-bootstrap .h3 small,\n.scoped-bootstrap h1 .small,\n.scoped-bootstrap .h1 .small,\n.scoped-bootstrap h2 .small,\n.scoped-bootstrap .h2 .small,\n.scoped-bootstrap h3 .small,\n.scoped-bootstrap .h3 .small {\n font-size: 65%;\n}\n\n.scoped-bootstrap h4,\n.scoped-bootstrap .h4,\n.scoped-bootstrap h5,\n.scoped-bootstrap .h5,\n.scoped-bootstrap h6,\n.scoped-bootstrap .h6 {\n margin-top: 10px;\n margin-bottom: 10px;\n}\n\n.scoped-bootstrap h4 small,\n.scoped-bootstrap .h4 small,\n.scoped-bootstrap h5 small,\n.scoped-bootstrap .h5 small,\n.scoped-bootstrap h6 small,\n.scoped-bootstrap .h6 small,\n.scoped-bootstrap h4 .small,\n.scoped-bootstrap .h4 .small,\n.scoped-bootstrap h5 .small,\n.scoped-bootstrap .h5 .small,\n.scoped-bootstrap h6 .small,\n.scoped-bootstrap .h6 .small {\n font-size: 75%;\n}\n\n.scoped-bootstrap h1,\n.scoped-bootstrap .h1 {\n font-size: 36px;\n}\n\n.scoped-bootstrap h2,\n.scoped-bootstrap .h2 {\n font-size: 30px;\n}\n\n.scoped-bootstrap h3,\n.scoped-bootstrap .h3 {\n font-size: 24px;\n}\n\n.scoped-bootstrap h4,\n.scoped-bootstrap .h4 {\n font-size: 18px;\n}\n\n.scoped-bootstrap h5,\n.scoped-bootstrap .h5 {\n font-size: 14px;\n}\n\n.scoped-bootstrap h6,\n.scoped-bootstrap .h6 {\n font-size: 12px;\n}\n\n.scoped-bootstrap p {\n margin: 0 0 10px;\n}\n\n.scoped-bootstrap .lead {\n margin-bottom: 20px;\n font-size: 16px;\n font-weight: 300;\n line-height: 1.4;\n}\n\n@media (min-width: 768px) {\n .scoped-bootstrap .lead {\n font-size: 21px;\n }\n}\n\n.scoped-bootstrap small,\n.scoped-bootstrap .small {\n font-size: 85%;\n}\n\n.scoped-bootstrap mark,\n.scoped-bootstrap .mark {\n padding: .2em;\n background-color: #fcf8e3;\n}\n\n.scoped-bootstrap .text-left {\n text-align: left;\n}\n\n.scoped-bootstrap .text-right {\n text-align: right;\n}\n\n.scoped-bootstrap .text-center {\n text-align: center;\n}\n\n.scoped-bootstrap .text-justify {\n text-align: justify;\n}\n\n.scoped-bootstrap .text-nowrap {\n white-space: nowrap;\n}\n\n.scoped-bootstrap .text-lowercase {\n text-transform: lowercase;\n}\n\n.scoped-bootstrap .text-uppercase {\n text-transform: uppercase;\n}\n\n.scoped-bootstrap .text-capitalize {\n text-transform: capitalize;\n}\n\n.scoped-bootstrap .text-muted {\n color: #777;\n}\n\n.scoped-bootstrap .text-primary {\n color: #337ab7;\n}\n\n.scoped-bootstrap a.text-primary:hover,\n.scoped-bootstrap a.text-primary:focus {\n color: #286090;\n}\n\n.scoped-bootstrap .text-success {\n color: #3c763d;\n}\n\n.scoped-bootstrap a.text-success:hover,\n.scoped-bootstrap a.text-success:focus {\n color: #2b542c;\n}\n\n.scoped-bootstrap .text-info {\n color: #31708f;\n}\n\n.scoped-bootstrap a.text-info:hover,\n.scoped-bootstrap a.text-info:focus {\n color: #245269;\n}\n\n.scoped-bootstrap .text-warning {\n color: #8a6d3b;\n}\n\n.scoped-bootstrap a.text-warning:hover,\n.scoped-bootstrap a.text-warning:focus {\n color: #66512c;\n}\n\n.scoped-bootstrap .text-danger {\n color: #a94442;\n}\n\n.scoped-bootstrap a.text-danger:hover,\n.scoped-bootstrap a.text-danger:focus {\n color: #843534;\n}\n\n.scoped-bootstrap .bg-primary {\n color: #fff;\n background-color: #337ab7;\n}\n\n.scoped-bootstrap a.bg-primary:hover,\n.scoped-bootstrap a.bg-primary:focus {\n background-color: #286090;\n}\n\n.scoped-bootstrap .bg-success {\n background-color: #dff0d8;\n}\n\n.scoped-bootstrap a.bg-success:hover,\n.scoped-bootstrap a.bg-success:focus {\n background-color: #c1e2b3;\n}\n\n.scoped-bootstrap .bg-info {\n background-color: #d9edf7;\n}\n\n.scoped-bootstrap a.bg-info:hover,\n.scoped-bootstrap a.bg-info:focus {\n background-color: #afd9ee;\n}\n\n.scoped-bootstrap .bg-warning {\n background-color: #fcf8e3;\n}\n\n.scoped-bootstrap a.bg-warning:hover,\n.scoped-bootstrap a.bg-warning:focus {\n background-color: #f7ecb5;\n}\n\n.scoped-bootstrap .bg-danger {\n background-color: #f2dede;\n}\n\n.scoped-bootstrap a.bg-danger:hover,\n.scoped-bootstrap a.bg-danger:focus {\n background-color: #e4b9b9;\n}\n\n.scoped-bootstrap .page-header {\n padding-bottom: 9px;\n margin: 40px 0 20px;\n border-bottom: 1px solid #eee;\n}\n\n.scoped-bootstrap ul,\n.scoped-bootstrap ol {\n margin-top: 0;\n margin-bottom: 10px;\n}\n\n.scoped-bootstrap ul ul,\n.scoped-bootstrap ol ul,\n.scoped-bootstrap ul ol,\n.scoped-bootstrap ol ol {\n margin-bottom: 0;\n}\n\n.scoped-bootstrap .list-unstyled {\n padding-left: 0;\n list-style: none;\n}\n\n.scoped-bootstrap .list-inline {\n padding-left: 0;\n margin-left: -5px;\n list-style: none;\n}\n\n.scoped-bootstrap .list-inline > li {\n display: inline-block;\n padding-right: 5px;\n padding-left: 5px;\n}\n\n.scoped-bootstrap dl {\n margin-top: 0;\n margin-bottom: 20px;\n}\n\n.scoped-bootstrap dt,\n.scoped-bootstrap dd {\n line-height: 1.42857143;\n}\n\n.scoped-bootstrap dt {\n font-weight: bold;\n}\n\n.scoped-bootstrap dd {\n margin-left: 0;\n}\n\n@media (min-width: 768px) {\n .scoped-bootstrap .dl-horizontal dt {\n float: left;\n width: 160px;\n overflow: hidden;\n clear: left;\n text-align: right;\n text-overflow: ellipsis;\n white-space: nowrap;\n }\n\n .scoped-bootstrap .dl-horizontal dd {\n margin-left: 180px;\n }\n}\n\n.scoped-bootstrap abbr[title],\n.scoped-bootstrap abbr[data-original-title] {\n cursor: help;\n border-bottom: 1px dotted #777;\n}\n\n.scoped-bootstrap .initialism {\n font-size: 90%;\n text-transform: uppercase;\n}\n\n.scoped-bootstrap blockquote {\n padding: 10px 20px;\n margin: 0 0 20px;\n font-size: 17.5px;\n border-left: 5px solid #eee;\n}\n\n.scoped-bootstrap blockquote p:last-child,\n.scoped-bootstrap blockquote ul:last-child,\n.scoped-bootstrap blockquote ol:last-child {\n margin-bottom: 0;\n}\n\n.scoped-bootstrap blockquote footer,\n.scoped-bootstrap blockquote small,\n.scoped-bootstrap blockquote .small {\n display: block;\n font-size: 80%;\n line-height: 1.42857143;\n color: #777;\n}\n\n.scoped-bootstrap blockquote footer:before,\n.scoped-bootstrap blockquote small:before,\n.scoped-bootstrap blockquote .small:before {\n content: \'\\2014 \\A0\';\n}\n\n.scoped-bootstrap .blockquote-reverse,\n.scoped-bootstrap blockquote.pull-right {\n padding-right: 15px;\n padding-left: 0;\n text-align: right;\n border-right: 5px solid #eee;\n border-left: 0;\n}\n\n.scoped-bootstrap .blockquote-reverse footer:before,\n.scoped-bootstrap blockquote.pull-right footer:before,\n.scoped-bootstrap .blockquote-reverse small:before,\n.scoped-bootstrap blockquote.pull-right small:before,\n.scoped-bootstrap .blockquote-reverse .small:before,\n.scoped-bootstrap blockquote.pull-right .small:before {\n content: \'\';\n}\n\n.scoped-bootstrap .blockquote-reverse footer:after,\n.scoped-bootstrap blockquote.pull-right footer:after,\n.scoped-bootstrap .blockquote-reverse small:after,\n.scoped-bootstrap blockquote.pull-right small:after,\n.scoped-bootstrap .blockquote-reverse .small:after,\n.scoped-bootstrap blockquote.pull-right .small:after {\n content: \'\\A0 \\2014\';\n}\n\n.scoped-bootstrap address {\n margin-bottom: 20px;\n font-style: normal;\n line-height: 1.42857143;\n}\n\ncode,\n.scoped-bootstrap kbd,\npre,\n.scoped-bootstrap samp {\n font-family: Menlo, Monaco, Consolas, "Courier New", monospace;\n}\n\ncode {\n padding: 2px 4px;\n font-size: 90%;\n color: #c7254e;\n background-color: #f9f2f4;\n border-radius: 4px;\n}\n\n.scoped-bootstrap kbd {\n padding: 2px 4px;\n font-size: 90%;\n color: #fff;\n background-color: #333;\n border-radius: 3px;\n -webkit-box-shadow: inset 0 -1px 0 rgba(0, 0, 0, .25);\n box-shadow: inset 0 -1px 0 rgba(0, 0, 0, .25);\n}\n\n.scoped-bootstrap kbd kbd {\n padding: 0;\n font-size: 100%;\n font-weight: bold;\n -webkit-box-shadow: none;\n box-shadow: none;\n}\n\npre {\n display: block;\n padding: 9.5px;\n margin: 0 0 10px;\n font-size: 13px;\n line-height: 1.42857143;\n color: #333;\n word-break: break-all;\n word-wrap: break-word;\n background-color: #f5f5f5;\n border: 1px solid #ccc;\n border-radius: 4px;\n}\n\npre code {\n padding: 0;\n font-size: inherit;\n color: inherit;\n white-space: pre-wrap;\n background-color: transparent;\n border-radius: 0;\n}\n\n.scoped-bootstrap .pre-scrollable {\n max-height: 340px;\n overflow-y: scroll;\n}\n\n.scoped-bootstrap .container {\n padding-right: 15px;\n padding-left: 15px;\n margin-right: auto;\n margin-left: auto;\n}\n\n@media (min-width: 768px) {\n .scoped-bootstrap .container {\n width: 750px;\n }\n}\n\n@media (min-width: 992px) {\n .scoped-bootstrap .container {\n width: 970px;\n }\n}\n\n@media (min-width: 1200px) {\n .scoped-bootstrap .container {\n width: 1170px;\n }\n}\n\n.scoped-bootstrap .container-fluid {\n padding-right: 15px;\n padding-left: 15px;\n margin-right: auto;\n margin-left: auto;\n}\n\n.scoped-bootstrap .row {\n margin-right: -15px;\n margin-left: -15px;\n}\n\n.scoped-bootstrap .col-xs-1,\n.scoped-bootstrap .col-sm-1,\n.scoped-bootstrap .col-md-1,\n.scoped-bootstrap .col-lg-1,\n.scoped-bootstrap .col-xs-2,\n.scoped-bootstrap .col-sm-2,\n.scoped-bootstrap .col-md-2,\n.scoped-bootstrap .col-lg-2,\n.scoped-bootstrap .col-xs-3,\n.scoped-bootstrap .col-sm-3,\n.scoped-bootstrap .col-md-3,\n.scoped-bootstrap .col-lg-3,\n.scoped-bootstrap .col-xs-4,\n.scoped-bootstrap .col-sm-4,\n.scoped-bootstrap .col-md-4,\n.scoped-bootstrap .col-lg-4,\n.scoped-bootstrap .col-xs-5,\n.scoped-bootstrap .col-sm-5,\n.scoped-bootstrap .col-md-5,\n.scoped-bootstrap .col-lg-5,\n.scoped-bootstrap .col-xs-6,\n.scoped-bootstrap .col-sm-6,\n.scoped-bootstrap .col-md-6,\n.scoped-bootstrap .col-lg-6,\n.scoped-bootstrap .col-xs-7,\n.scoped-bootstrap .col-sm-7,\n.scoped-bootstrap .col-md-7,\n.scoped-bootstrap .col-lg-7,\n.scoped-bootstrap .col-xs-8,\n.scoped-bootstrap .col-sm-8,\n.scoped-bootstrap .col-md-8,\n.scoped-bootstrap .col-lg-8,\n.scoped-bootstrap .col-xs-9,\n.scoped-bootstrap .col-sm-9,\n.scoped-bootstrap .col-md-9,\n.scoped-bootstrap .col-lg-9,\n.scoped-bootstrap .col-xs-10,\n.scoped-bootstrap .col-sm-10,\n.scoped-bootstrap .col-md-10,\n.scoped-bootstrap .col-lg-10,\n.scoped-bootstrap .col-xs-11,\n.scoped-bootstrap .col-sm-11,\n.scoped-bootstrap .col-md-11,\n.scoped-bootstrap .col-lg-11,\n.scoped-bootstrap .col-xs-12,\n.scoped-bootstrap .col-sm-12,\n.scoped-bootstrap .col-md-12,\n.scoped-bootstrap .col-lg-12 {\n position: relative;\n min-height: 1px;\n padding-right: 15px;\n padding-left: 15px;\n}\n\n.scoped-bootstrap .col-xs-1,\n.scoped-bootstrap .col-xs-2,\n.scoped-bootstrap .col-xs-3,\n.scoped-bootstrap .col-xs-4,\n.scoped-bootstrap .col-xs-5,\n.scoped-bootstrap .col-xs-6,\n.scoped-bootstrap .col-xs-7,\n.scoped-bootstrap .col-xs-8,\n.scoped-bootstrap .col-xs-9,\n.scoped-bootstrap .col-xs-10,\n.scoped-bootstrap .col-xs-11,\n.scoped-bootstrap .col-xs-12 {\n float: left;\n}\n\n.scoped-bootstrap .col-xs-12 {\n width: 100%;\n}\n\n.scoped-bootstrap .col-xs-11 {\n width: 91.66666667%;\n}\n\n.scoped-bootstrap .col-xs-10 {\n width: 83.33333333%;\n}\n\n.scoped-bootstrap .col-xs-9 {\n width: 75%;\n}\n\n.scoped-bootstrap .col-xs-8 {\n width: 66.66666667%;\n}\n\n.scoped-bootstrap .col-xs-7 {\n width: 58.33333333%;\n}\n\n.scoped-bootstrap .col-xs-6 {\n width: 50%;\n}\n\n.scoped-bootstrap .col-xs-5 {\n width: 41.66666667%;\n}\n\n.scoped-bootstrap .col-xs-4 {\n width: 33.33333333%;\n}\n\n.scoped-bootstrap .col-xs-3 {\n width: 25%;\n}\n\n.scoped-bootstrap .col-xs-2 {\n width: 16.66666667%;\n}\n\n.scoped-bootstrap .col-xs-1 {\n width: 8.33333333%;\n}\n\n.scoped-bootstrap .col-xs-pull-12 {\n right: 100%;\n}\n\n.scoped-bootstrap .col-xs-pull-11 {\n right: 91.66666667%;\n}\n\n.scoped-bootstrap .col-xs-pull-10 {\n right: 83.33333333%;\n}\n\n.scoped-bootstrap .col-xs-pull-9 {\n right: 75%;\n}\n\n.scoped-bootstrap .col-xs-pull-8 {\n right: 66.66666667%;\n}\n\n.scoped-bootstrap .col-xs-pull-7 {\n right: 58.33333333%;\n}\n\n.scoped-bootstrap .col-xs-pull-6 {\n right: 50%;\n}\n\n.scoped-bootstrap .col-xs-pull-5 {\n right: 41.66666667%;\n}\n\n.scoped-bootstrap .col-xs-pull-4 {\n right: 33.33333333%;\n}\n\n.scoped-bootstrap .col-xs-pull-3 {\n right: 25%;\n}\n\n.scoped-bootstrap .col-xs-pull-2 {\n right: 16.66666667%;\n}\n\n.scoped-bootstrap .col-xs-pull-1 {\n right: 8.33333333%;\n}\n\n.scoped-bootstrap .col-xs-pull-0 {\n right: auto;\n}\n\n.scoped-bootstrap .col-xs-push-12 {\n left: 100%;\n}\n\n.scoped-bootstrap .col-xs-push-11 {\n left: 91.66666667%;\n}\n\n.scoped-bootstrap .col-xs-push-10 {\n left: 83.33333333%;\n}\n\n.scoped-bootstrap .col-xs-push-9 {\n left: 75%;\n}\n\n.scoped-bootstrap .col-xs-push-8 {\n left: 66.66666667%;\n}\n\n.scoped-bootstrap .col-xs-push-7 {\n left: 58.33333333%;\n}\n\n.scoped-bootstrap .col-xs-push-6 {\n left: 50%;\n}\n\n.scoped-bootstrap .col-xs-push-5 {\n left: 41.66666667%;\n}\n\n.scoped-bootstrap .col-xs-push-4 {\n left: 33.33333333%;\n}\n\n.scoped-bootstrap .col-xs-push-3 {\n left: 25%;\n}\n\n.scoped-bootstrap .col-xs-push-2 {\n left: 16.66666667%;\n}\n\n.scoped-bootstrap .col-xs-push-1 {\n left: 8.33333333%;\n}\n\n.scoped-bootstrap .col-xs-push-0 {\n left: auto;\n}\n\n.scoped-bootstrap .col-xs-offset-12 {\n margin-left: 100%;\n}\n\n.scoped-bootstrap .col-xs-offset-11 {\n margin-left: 91.66666667%;\n}\n\n.scoped-bootstrap .col-xs-offset-10 {\n margin-left: 83.33333333%;\n}\n\n.scoped-bootstrap .col-xs-offset-9 {\n margin-left: 75%;\n}\n\n.scoped-bootstrap .col-xs-offset-8 {\n margin-left: 66.66666667%;\n}\n\n.scoped-bootstrap .col-xs-offset-7 {\n margin-left: 58.33333333%;\n}\n\n.scoped-bootstrap .col-xs-offset-6 {\n margin-left: 50%;\n}\n\n.scoped-bootstrap .col-xs-offset-5 {\n margin-left: 41.66666667%;\n}\n\n.scoped-bootstrap .col-xs-offset-4 {\n margin-left: 33.33333333%;\n}\n\n.scoped-bootstrap .col-xs-offset-3 {\n margin-left: 25%;\n}\n\n.scoped-bootstrap .col-xs-offset-2 {\n margin-left: 16.66666667%;\n}\n\n.scoped-bootstrap .col-xs-offset-1 {\n margin-left: 8.33333333%;\n}\n\n.scoped-bootstrap .col-xs-offset-0 {\n margin-left: 0;\n}\n\n@media (min-width: 768px) {\n .scoped-bootstrap .col-sm-1,\n .scoped-bootstrap .col-sm-2,\n .scoped-bootstrap .col-sm-3,\n .scoped-bootstrap .col-sm-4,\n .scoped-bootstrap .col-sm-5,\n .scoped-bootstrap .col-sm-6,\n .scoped-bootstrap .col-sm-7,\n .scoped-bootstrap .col-sm-8,\n .scoped-bootstrap .col-sm-9,\n .scoped-bootstrap .col-sm-10,\n .scoped-bootstrap .col-sm-11,\n .scoped-bootstrap .col-sm-12 {\n float: left;\n }\n\n .scoped-bootstrap .col-sm-12 {\n width: 100%;\n }\n\n .scoped-bootstrap .col-sm-11 {\n width: 91.66666667%;\n }\n\n .scoped-bootstrap .col-sm-10 {\n width: 83.33333333%;\n }\n\n .scoped-bootstrap .col-sm-9 {\n width: 75%;\n }\n\n .scoped-bootstrap .col-sm-8 {\n width: 66.66666667%;\n }\n\n .scoped-bootstrap .col-sm-7 {\n width: 58.33333333%;\n }\n\n .scoped-bootstrap .col-sm-6 {\n width: 50%;\n }\n\n .scoped-bootstrap .col-sm-5 {\n width: 41.66666667%;\n }\n\n .scoped-bootstrap .col-sm-4 {\n width: 33.33333333%;\n }\n\n .scoped-bootstrap .col-sm-3 {\n width: 25%;\n }\n\n .scoped-bootstrap .col-sm-2 {\n width: 16.66666667%;\n }\n\n .scoped-bootstrap .col-sm-1 {\n width: 8.33333333%;\n }\n\n .scoped-bootstrap .col-sm-pull-12 {\n right: 100%;\n }\n\n .scoped-bootstrap .col-sm-pull-11 {\n right: 91.66666667%;\n }\n\n .scoped-bootstrap .col-sm-pull-10 {\n right: 83.33333333%;\n }\n\n .scoped-bootstrap .col-sm-pull-9 {\n right: 75%;\n }\n\n .scoped-bootstrap .col-sm-pull-8 {\n right: 66.66666667%;\n }\n\n .scoped-bootstrap .col-sm-pull-7 {\n right: 58.33333333%;\n }\n\n .scoped-bootstrap .col-sm-pull-6 {\n right: 50%;\n }\n\n .scoped-bootstrap .col-sm-pull-5 {\n right: 41.66666667%;\n }\n\n .scoped-bootstrap .col-sm-pull-4 {\n right: 33.33333333%;\n }\n\n .scoped-bootstrap .col-sm-pull-3 {\n right: 25%;\n }\n\n .scoped-bootstrap .col-sm-pull-2 {\n right: 16.66666667%;\n }\n\n .scoped-bootstrap .col-sm-pull-1 {\n right: 8.33333333%;\n }\n\n .scoped-bootstrap .col-sm-pull-0 {\n right: auto;\n }\n\n .scoped-bootstrap .col-sm-push-12 {\n left: 100%;\n }\n\n .scoped-bootstrap .col-sm-push-11 {\n left: 91.66666667%;\n }\n\n .scoped-bootstrap .col-sm-push-10 {\n left: 83.33333333%;\n }\n\n .scoped-bootstrap .col-sm-push-9 {\n left: 75%;\n }\n\n .scoped-bootstrap .col-sm-push-8 {\n left: 66.66666667%;\n }\n\n .scoped-bootstrap .col-sm-push-7 {\n left: 58.33333333%;\n }\n\n .scoped-bootstrap .col-sm-push-6 {\n left: 50%;\n }\n\n .scoped-bootstrap .col-sm-push-5 {\n left: 41.66666667%;\n }\n\n .scoped-bootstrap .col-sm-push-4 {\n left: 33.33333333%;\n }\n\n .scoped-bootstrap .col-sm-push-3 {\n left: 25%;\n }\n\n .scoped-bootstrap .col-sm-push-2 {\n left: 16.66666667%;\n }\n\n .scoped-bootstrap .col-sm-push-1 {\n left: 8.33333333%;\n }\n\n .scoped-bootstrap .col-sm-push-0 {\n left: auto;\n }\n\n .scoped-bootstrap .col-sm-offset-12 {\n margin-left: 100%;\n }\n\n .scoped-bootstrap .col-sm-offset-11 {\n margin-left: 91.66666667%;\n }\n\n .scoped-bootstrap .col-sm-offset-10 {\n margin-left: 83.33333333%;\n }\n\n .scoped-bootstrap .col-sm-offset-9 {\n margin-left: 75%;\n }\n\n .scoped-bootstrap .col-sm-offset-8 {\n margin-left: 66.66666667%;\n }\n\n .scoped-bootstrap .col-sm-offset-7 {\n margin-left: 58.33333333%;\n }\n\n .scoped-bootstrap .col-sm-offset-6 {\n margin-left: 50%;\n }\n\n .scoped-bootstrap .col-sm-offset-5 {\n margin-left: 41.66666667%;\n }\n\n .scoped-bootstrap .col-sm-offset-4 {\n margin-left: 33.33333333%;\n }\n\n .scoped-bootstrap .col-sm-offset-3 {\n margin-left: 25%;\n }\n\n .scoped-bootstrap .col-sm-offset-2 {\n margin-left: 16.66666667%;\n }\n\n .scoped-bootstrap .col-sm-offset-1 {\n margin-left: 8.33333333%;\n }\n\n .scoped-bootstrap .col-sm-offset-0 {\n margin-left: 0;\n }\n}\n\n@media (min-width: 992px) {\n .scoped-bootstrap .col-md-1,\n .scoped-bootstrap .col-md-2,\n .scoped-bootstrap .col-md-3,\n .scoped-bootstrap .col-md-4,\n .scoped-bootstrap .col-md-5,\n .scoped-bootstrap .col-md-6,\n .scoped-bootstrap .col-md-7,\n .scoped-bootstrap .col-md-8,\n .scoped-bootstrap .col-md-9,\n .scoped-bootstrap .col-md-10,\n .scoped-bootstrap .col-md-11,\n .scoped-bootstrap .col-md-12 {\n float: left;\n }\n\n .scoped-bootstrap .col-md-12 {\n width: 100%;\n }\n\n .scoped-bootstrap .col-md-11 {\n width: 91.66666667%;\n }\n\n .scoped-bootstrap .col-md-10 {\n width: 83.33333333%;\n }\n\n .scoped-bootstrap .col-md-9 {\n width: 75%;\n }\n\n .scoped-bootstrap .col-md-8 {\n width: 66.66666667%;\n }\n\n .scoped-bootstrap .col-md-7 {\n width: 58.33333333%;\n }\n\n .scoped-bootstrap .col-md-6 {\n width: 50%;\n }\n\n .scoped-bootstrap .col-md-5 {\n width: 41.66666667%;\n }\n\n .scoped-bootstrap .col-md-4 {\n width: 33.33333333%;\n }\n\n .scoped-bootstrap .col-md-3 {\n width: 25%;\n }\n\n .scoped-bootstrap .col-md-2 {\n width: 16.66666667%;\n }\n\n .scoped-bootstrap .col-md-1 {\n width: 8.33333333%;\n }\n\n .scoped-bootstrap .col-md-pull-12 {\n right: 100%;\n }\n\n .scoped-bootstrap .col-md-pull-11 {\n right: 91.66666667%;\n }\n\n .scoped-bootstrap .col-md-pull-10 {\n right: 83.33333333%;\n }\n\n .scoped-bootstrap .col-md-pull-9 {\n right: 75%;\n }\n\n .scoped-bootstrap .col-md-pull-8 {\n right: 66.66666667%;\n }\n\n .scoped-bootstrap .col-md-pull-7 {\n right: 58.33333333%;\n }\n\n .scoped-bootstrap .col-md-pull-6 {\n right: 50%;\n }\n\n .scoped-bootstrap .col-md-pull-5 {\n right: 41.66666667%;\n }\n\n .scoped-bootstrap .col-md-pull-4 {\n right: 33.33333333%;\n }\n\n .scoped-bootstrap .col-md-pull-3 {\n right: 25%;\n }\n\n .scoped-bootstrap .col-md-pull-2 {\n right: 16.66666667%;\n }\n\n .scoped-bootstrap .col-md-pull-1 {\n right: 8.33333333%;\n }\n\n .scoped-bootstrap .col-md-pull-0 {\n right: auto;\n }\n\n .scoped-bootstrap .col-md-push-12 {\n left: 100%;\n }\n\n .scoped-bootstrap .col-md-push-11 {\n left: 91.66666667%;\n }\n\n .scoped-bootstrap .col-md-push-10 {\n left: 83.33333333%;\n }\n\n .scoped-bootstrap .col-md-push-9 {\n left: 75%;\n }\n\n .scoped-bootstrap .col-md-push-8 {\n left: 66.66666667%;\n }\n\n .scoped-bootstrap .col-md-push-7 {\n left: 58.33333333%;\n }\n\n .scoped-bootstrap .col-md-push-6 {\n left: 50%;\n }\n\n .scoped-bootstrap .col-md-push-5 {\n left: 41.66666667%;\n }\n\n .scoped-bootstrap .col-md-push-4 {\n left: 33.33333333%;\n }\n\n .scoped-bootstrap .col-md-push-3 {\n left: 25%;\n }\n\n .scoped-bootstrap .col-md-push-2 {\n left: 16.66666667%;\n }\n\n .scoped-bootstrap .col-md-push-1 {\n left: 8.33333333%;\n }\n\n .scoped-bootstrap .col-md-push-0 {\n left: auto;\n }\n\n .scoped-bootstrap .col-md-offset-12 {\n margin-left: 100%;\n }\n\n .scoped-bootstrap .col-md-offset-11 {\n margin-left: 91.66666667%;\n }\n\n .scoped-bootstrap .col-md-offset-10 {\n margin-left: 83.33333333%;\n }\n\n .scoped-bootstrap .col-md-offset-9 {\n margin-left: 75%;\n }\n\n .scoped-bootstrap .col-md-offset-8 {\n margin-left: 66.66666667%;\n }\n\n .scoped-bootstrap .col-md-offset-7 {\n margin-left: 58.33333333%;\n }\n\n .scoped-bootstrap .col-md-offset-6 {\n margin-left: 50%;\n }\n\n .scoped-bootstrap .col-md-offset-5 {\n margin-left: 41.66666667%;\n }\n\n .scoped-bootstrap .col-md-offset-4 {\n margin-left: 33.33333333%;\n }\n\n .scoped-bootstrap .col-md-offset-3 {\n margin-left: 25%;\n }\n\n .scoped-bootstrap .col-md-offset-2 {\n margin-left: 16.66666667%;\n }\n\n .scoped-bootstrap .col-md-offset-1 {\n margin-left: 8.33333333%;\n }\n\n .scoped-bootstrap .col-md-offset-0 {\n margin-left: 0;\n }\n}\n\n@media (min-width: 1200px) {\n .scoped-bootstrap .col-lg-1,\n .scoped-bootstrap .col-lg-2,\n .scoped-bootstrap .col-lg-3,\n .scoped-bootstrap .col-lg-4,\n .scoped-bootstrap .col-lg-5,\n .scoped-bootstrap .col-lg-6,\n .scoped-bootstrap .col-lg-7,\n .scoped-bootstrap .col-lg-8,\n .scoped-bootstrap .col-lg-9,\n .scoped-bootstrap .col-lg-10,\n .scoped-bootstrap .col-lg-11,\n .scoped-bootstrap .col-lg-12 {\n float: left;\n }\n\n .scoped-bootstrap .col-lg-12 {\n width: 100%;\n }\n\n .scoped-bootstrap .col-lg-11 {\n width: 91.66666667%;\n }\n\n .scoped-bootstrap .col-lg-10 {\n width: 83.33333333%;\n }\n\n .scoped-bootstrap .col-lg-9 {\n width: 75%;\n }\n\n .scoped-bootstrap .col-lg-8 {\n width: 66.66666667%;\n }\n\n .scoped-bootstrap .col-lg-7 {\n width: 58.33333333%;\n }\n\n .scoped-bootstrap .col-lg-6 {\n width: 50%;\n }\n\n .scoped-bootstrap .col-lg-5 {\n width: 41.66666667%;\n }\n\n .scoped-bootstrap .col-lg-4 {\n width: 33.33333333%;\n }\n\n .scoped-bootstrap .col-lg-3 {\n width: 25%;\n }\n\n .scoped-bootstrap .col-lg-2 {\n width: 16.66666667%;\n }\n\n .scoped-bootstrap .col-lg-1 {\n width: 8.33333333%;\n }\n\n .scoped-bootstrap .col-lg-pull-12 {\n right: 100%;\n }\n\n .scoped-bootstrap .col-lg-pull-11 {\n right: 91.66666667%;\n }\n\n .scoped-bootstrap .col-lg-pull-10 {\n right: 83.33333333%;\n }\n\n .scoped-bootstrap .col-lg-pull-9 {\n right: 75%;\n }\n\n .scoped-bootstrap .col-lg-pull-8 {\n right: 66.66666667%;\n }\n\n .scoped-bootstrap .col-lg-pull-7 {\n right: 58.33333333%;\n }\n\n .scoped-bootstrap .col-lg-pull-6 {\n right: 50%;\n }\n\n .scoped-bootstrap .col-lg-pull-5 {\n right: 41.66666667%;\n }\n\n .scoped-bootstrap .col-lg-pull-4 {\n right: 33.33333333%;\n }\n\n .scoped-bootstrap .col-lg-pull-3 {\n right: 25%;\n }\n\n .scoped-bootstrap .col-lg-pull-2 {\n right: 16.66666667%;\n }\n\n .scoped-bootstrap .col-lg-pull-1 {\n right: 8.33333333%;\n }\n\n .scoped-bootstrap .col-lg-pull-0 {\n right: auto;\n }\n\n .scoped-bootstrap .col-lg-push-12 {\n left: 100%;\n }\n\n .scoped-bootstrap .col-lg-push-11 {\n left: 91.66666667%;\n }\n\n .scoped-bootstrap .col-lg-push-10 {\n left: 83.33333333%;\n }\n\n .scoped-bootstrap .col-lg-push-9 {\n left: 75%;\n }\n\n .scoped-bootstrap .col-lg-push-8 {\n left: 66.66666667%;\n }\n\n .scoped-bootstrap .col-lg-push-7 {\n left: 58.33333333%;\n }\n\n .scoped-bootstrap .col-lg-push-6 {\n left: 50%;\n }\n\n .scoped-bootstrap .col-lg-push-5 {\n left: 41.66666667%;\n }\n\n .scoped-bootstrap .col-lg-push-4 {\n left: 33.33333333%;\n }\n\n .scoped-bootstrap .col-lg-push-3 {\n left: 25%;\n }\n\n .scoped-bootstrap .col-lg-push-2 {\n left: 16.66666667%;\n }\n\n .scoped-bootstrap .col-lg-push-1 {\n left: 8.33333333%;\n }\n\n .scoped-bootstrap .col-lg-push-0 {\n left: auto;\n }\n\n .scoped-bootstrap .col-lg-offset-12 {\n margin-left: 100%;\n }\n\n .scoped-bootstrap .col-lg-offset-11 {\n margin-left: 91.66666667%;\n }\n\n .scoped-bootstrap .col-lg-offset-10 {\n margin-left: 83.33333333%;\n }\n\n .scoped-bootstrap .col-lg-offset-9 {\n margin-left: 75%;\n }\n\n .scoped-bootstrap .col-lg-offset-8 {\n margin-left: 66.66666667%;\n }\n\n .scoped-bootstrap .col-lg-offset-7 {\n margin-left: 58.33333333%;\n }\n\n .scoped-bootstrap .col-lg-offset-6 {\n margin-left: 50%;\n }\n\n .scoped-bootstrap .col-lg-offset-5 {\n margin-left: 41.66666667%;\n }\n\n .scoped-bootstrap .col-lg-offset-4 {\n margin-left: 33.33333333%;\n }\n\n .scoped-bootstrap .col-lg-offset-3 {\n margin-left: 25%;\n }\n\n .scoped-bootstrap .col-lg-offset-2 {\n margin-left: 16.66666667%;\n }\n\n .scoped-bootstrap .col-lg-offset-1 {\n margin-left: 8.33333333%;\n }\n\n .scoped-bootstrap .col-lg-offset-0 {\n margin-left: 0;\n }\n}\n\n.scoped-bootstrap table {\n background-color: transparent;\n}\n\n.scoped-bootstrap caption {\n padding-top: 8px;\n padding-bottom: 8px;\n color: #777;\n text-align: left;\n}\n\n.scoped-bootstrap th {\n text-align: left;\n}\n\n.scoped-bootstrap .table {\n width: 100%;\n max-width: 100%;\n margin-bottom: 20px;\n}\n\n.scoped-bootstrap .table > thead > tr > th,\n.scoped-bootstrap .table > tbody > tr > th,\n.scoped-bootstrap .table > tfoot > tr > th,\n.scoped-bootstrap .table > thead > tr > td,\n.scoped-bootstrap .table > tbody > tr > td,\n.scoped-bootstrap .table > tfoot > tr > td {\n padding: 8px;\n line-height: 1.42857143;\n vertical-align: top;\n border-top: 1px solid #ddd;\n}\n\n.scoped-bootstrap .table > thead > tr > th {\n vertical-align: bottom;\n border-bottom: 2px solid #ddd;\n}\n\n.scoped-bootstrap .table > caption + thead > tr:first-child > th,\n.scoped-bootstrap .table > colgroup + thead > tr:first-child > th,\n.scoped-bootstrap .table > thead:first-child > tr:first-child > th,\n.scoped-bootstrap .table > caption + thead > tr:first-child > td,\n.scoped-bootstrap .table > colgroup + thead > tr:first-child > td,\n.scoped-bootstrap .table > thead:first-child > tr:first-child > td {\n border-top: 0;\n}\n\n.scoped-bootstrap .table > tbody + tbody {\n border-top: 2px solid #ddd;\n}\n\n.scoped-bootstrap .table .table {\n background-color: #fff;\n}\n\n.scoped-bootstrap .table-condensed > thead > tr > th,\n.scoped-bootstrap .table-condensed > tbody > tr > th,\n.scoped-bootstrap .table-condensed > tfoot > tr > th,\n.scoped-bootstrap .table-condensed > thead > tr > td,\n.scoped-bootstrap .table-condensed > tbody > tr > td,\n.scoped-bootstrap .table-condensed > tfoot > tr > td {\n padding: 5px;\n}\n\n.scoped-bootstrap .table-bordered {\n border: 1px solid #ddd;\n}\n\n.scoped-bootstrap .table-bordered > thead > tr > th,\n.scoped-bootstrap .table-bordered > tbody > tr > th,\n.scoped-bootstrap .table-bordered > tfoot > tr > th,\n.scoped-bootstrap .table-bordered > thead > tr > td,\n.scoped-bootstrap .table-bordered > tbody > tr > td,\n.scoped-bootstrap .table-bordered > tfoot > tr > td {\n border: 1px solid #ddd;\n}\n\n.scoped-bootstrap .table-bordered > thead > tr > th,\n.scoped-bootstrap .table-bordered > thead > tr > td {\n border-bottom-width: 2px;\n}\n\n.scoped-bootstrap .table-striped > tbody > tr:nth-of-type(odd) {\n background-color: #f9f9f9;\n}\n\n.scoped-bootstrap .table-hover > tbody > tr:hover {\n background-color: #f5f5f5;\n}\n\n.scoped-bootstrap table col[class*="col-"] {\n position: static;\n display: table-column;\n float: none;\n}\n\n.scoped-bootstrap table td[class*="col-"],\n.scoped-bootstrap table th[class*="col-"] {\n position: static;\n display: table-cell;\n float: none;\n}\n\n.scoped-bootstrap .table > thead > tr > td.active,\n.scoped-bootstrap .table > tbody > tr > td.active,\n.scoped-bootstrap .table > tfoot > tr > td.active,\n.scoped-bootstrap .table > thead > tr > th.active,\n.scoped-bootstrap .table > tbody > tr > th.active,\n.scoped-bootstrap .table > tfoot > tr > th.active,\n.scoped-bootstrap .table > thead > tr.active > td,\n.scoped-bootstrap .table > tbody > tr.active > td,\n.scoped-bootstrap .table > tfoot > tr.active > td,\n.scoped-bootstrap .table > thead > tr.active > th,\n.scoped-bootstrap .table > tbody > tr.active > th,\n.scoped-bootstrap .table > tfoot > tr.active > th {\n background-color: #f5f5f5;\n}\n\n.scoped-bootstrap .table-hover > tbody > tr > td.active:hover,\n.scoped-bootstrap .table-hover > tbody > tr > th.active:hover,\n.scoped-bootstrap .table-hover > tbody > tr.active:hover > td,\n.scoped-bootstrap .table-hover > tbody > tr:hover > .active,\n.scoped-bootstrap .table-hover > tbody > tr.active:hover > th {\n background-color: #e8e8e8;\n}\n\n.scoped-bootstrap .table > thead > tr > td.success,\n.scoped-bootstrap .table > tbody > tr > td.success,\n.scoped-bootstrap .table > tfoot > tr > td.success,\n.scoped-bootstrap .table > thead > tr > th.success,\n.scoped-bootstrap .table > tbody > tr > th.success,\n.scoped-bootstrap .table > tfoot > tr > th.success,\n.scoped-bootstrap .table > thead > tr.success > td,\n.scoped-bootstrap .table > tbody > tr.success > td,\n.scoped-bootstrap .table > tfoot > tr.success > td,\n.scoped-bootstrap .table > thead > tr.success > th,\n.scoped-bootstrap .table > tbody > tr.success > th,\n.scoped-bootstrap .table > tfoot > tr.success > th {\n background-color: #dff0d8;\n}\n\n.scoped-bootstrap .table-hover > tbody > tr > td.success:hover,\n.scoped-bootstrap .table-hover > tbody > tr > th.success:hover,\n.scoped-bootstrap .table-hover > tbody > tr.success:hover > td,\n.scoped-bootstrap .table-hover > tbody > tr:hover > .success,\n.scoped-bootstrap .table-hover > tbody > tr.success:hover > th {\n background-color: #d0e9c6;\n}\n\n.scoped-bootstrap .table > thead > tr > td.info,\n.scoped-bootstrap .table > tbody > tr > td.info,\n.scoped-bootstrap .table > tfoot > tr > td.info,\n.scoped-bootstrap .table > thead > tr > th.info,\n.scoped-bootstrap .table > tbody > tr > th.info,\n.scoped-bootstrap .table > tfoot > tr > th.info,\n.scoped-bootstrap .table > thead > tr.info > td,\n.scoped-bootstrap .table > tbody > tr.info > td,\n.scoped-bootstrap .table > tfoot > tr.info > td,\n.scoped-bootstrap .table > thead > tr.info > th,\n.scoped-bootstrap .table > tbody > tr.info > th,\n.scoped-bootstrap .table > tfoot > tr.info > th {\n background-color: #d9edf7;\n}\n\n.scoped-bootstrap .table-hover > tbody > tr > td.info:hover,\n.scoped-bootstrap .table-hover > tbody > tr > th.info:hover,\n.scoped-bootstrap .table-hover > tbody > tr.info:hover > td,\n.scoped-bootstrap .table-hover > tbody > tr:hover > .info,\n.scoped-bootstrap .table-hover > tbody > tr.info:hover > th {\n background-color: #c4e3f3;\n}\n\n.scoped-bootstrap .table > thead > tr > td.warning,\n.scoped-bootstrap .table > tbody > tr > td.warning,\n.scoped-bootstrap .table > tfoot > tr > td.warning,\n.scoped-bootstrap .table > thead > tr > th.warning,\n.scoped-bootstrap .table > tbody > tr > th.warning,\n.scoped-bootstrap .table > tfoot > tr > th.warning,\n.scoped-bootstrap .table > thead > tr.warning > td,\n.scoped-bootstrap .table > tbody > tr.warning > td,\n.scoped-bootstrap .table > tfoot > tr.warning > td,\n.scoped-bootstrap .table > thead > tr.warning > th,\n.scoped-bootstrap .table > tbody > tr.warning > th,\n.scoped-bootstrap .table > tfoot > tr.warning > th {\n background-color: #fcf8e3;\n}\n\n.scoped-bootstrap .table-hover > tbody > tr > td.warning:hover,\n.scoped-bootstrap .table-hover > tbody > tr > th.warning:hover,\n.scoped-bootstrap .table-hover > tbody > tr.warning:hover > td,\n.scoped-bootstrap .table-hover > tbody > tr:hover > .warning,\n.scoped-bootstrap .table-hover > tbody > tr.warning:hover > th {\n background-color: #faf2cc;\n}\n\n.scoped-bootstrap .table > thead > tr > td.danger,\n.scoped-bootstrap .table > tbody > tr > td.danger,\n.scoped-bootstrap .table > tfoot > tr > td.danger,\n.scoped-bootstrap .table > thead > tr > th.danger,\n.scoped-bootstrap .table > tbody > tr > th.danger,\n.scoped-bootstrap .table > tfoot > tr > th.danger,\n.scoped-bootstrap .table > thead > tr.danger > td,\n.scoped-bootstrap .table > tbody > tr.danger > td,\n.scoped-bootstrap .table > tfoot > tr.danger > td,\n.scoped-bootstrap .table > thead > tr.danger > th,\n.scoped-bootstrap .table > tbody > tr.danger > th,\n.scoped-bootstrap .table > tfoot > tr.danger > th {\n background-color: #f2dede;\n}\n\n.scoped-bootstrap .table-hover > tbody > tr > td.danger:hover,\n.scoped-bootstrap .table-hover > tbody > tr > th.danger:hover,\n.scoped-bootstrap .table-hover > tbody > tr.danger:hover > td,\n.scoped-bootstrap .table-hover > tbody > tr:hover > .danger,\n.scoped-bootstrap .table-hover > tbody > tr.danger:hover > th {\n background-color: #ebcccc;\n}\n\n.scoped-bootstrap .table-responsive {\n min-height: .01%;\n overflow-x: auto;\n}\n\n@media screen and (max-width: 767px) {\n .scoped-bootstrap .table-responsive {\n width: 100%;\n margin-bottom: 15px;\n overflow-y: hidden;\n -ms-overflow-style: -ms-autohiding-scrollbar;\n border: 1px solid #ddd;\n }\n\n .scoped-bootstrap .table-responsive > .table {\n margin-bottom: 0;\n }\n\n .scoped-bootstrap .table-responsive > .table > thead > tr > th,\n .scoped-bootstrap .table-responsive > .table > tbody > tr > th,\n .scoped-bootstrap .table-responsive > .table > tfoot > tr > th,\n .scoped-bootstrap .table-responsive > .table > thead > tr > td,\n .scoped-bootstrap .table-responsive > .table > tbody > tr > td,\n .scoped-bootstrap .table-responsive > .table > tfoot > tr > td {\n white-space: nowrap;\n }\n\n .scoped-bootstrap .table-responsive > .table-bordered {\n border: 0;\n }\n\n .scoped-bootstrap .table-responsive > .table-bordered > thead > tr > th:first-child,\n .scoped-bootstrap .table-responsive > .table-bordered > tbody > tr > th:first-child,\n .scoped-bootstrap .table-responsive > .table-bordered > tfoot > tr > th:first-child,\n .scoped-bootstrap .table-responsive > .table-bordered > thead > tr > td:first-child,\n .scoped-bootstrap .table-responsive > .table-bordered > tbody > tr > td:first-child,\n .scoped-bootstrap .table-responsive > .table-bordered > tfoot > tr > td:first-child {\n border-left: 0;\n }\n\n .scoped-bootstrap .table-responsive > .table-bordered > thead > tr > th:last-child,\n .scoped-bootstrap .table-responsive > .table-bordered > tbody > tr > th:last-child,\n .scoped-bootstrap .table-responsive > .table-bordered > tfoot > tr > th:last-child,\n .scoped-bootstrap .table-responsive > .table-bordered > thead > tr > td:last-child,\n .scoped-bootstrap .table-responsive > .table-bordered > tbody > tr > td:last-child,\n .scoped-bootstrap .table-responsive > .table-bordered > tfoot > tr > td:last-child {\n border-right: 0;\n }\n\n .scoped-bootstrap .table-responsive > .table-bordered > tbody > tr:last-child > th,\n .scoped-bootstrap .table-responsive > .table-bordered > tfoot > tr:last-child > th,\n .scoped-bootstrap .table-responsive > .table-bordered > tbody > tr:last-child > td,\n .scoped-bootstrap .table-responsive > .table-bordered > tfoot > tr:last-child > td {\n border-bottom: 0;\n }\n}\n\n.scoped-bootstrap fieldset {\n min-width: 0;\n padding: 0;\n margin: 0;\n border: 0;\n}\n\n.scoped-bootstrap legend {\n display: block;\n width: 100%;\n padding: 0;\n margin-bottom: 20px;\n font-size: 21px;\n line-height: inherit;\n color: #333;\n border: 0;\n border-bottom: 1px solid #e5e5e5;\n}\n\n.scoped-bootstrap label {\n display: inline-block;\n max-width: 100%;\n margin-bottom: 5px;\n font-weight: bold;\n}\n\n.scoped-bootstrap input[type="search"] {\n -webkit-box-sizing: border-box;\n -moz-box-sizing: border-box;\n box-sizing: border-box;\n}\n\n.scoped-bootstrap input[type="radio"],\n.scoped-bootstrap input[type="checkbox"] {\n margin: 4px 0 0;\n margin-top: 1px \\9;\n line-height: normal;\n}\n\n.scoped-bootstrap input[type="file"] {\n display: block;\n}\n\n.scoped-bootstrap input[type="range"] {\n display: block;\n width: 100%;\n}\n\n.scoped-bootstrap select[multiple],\n.scoped-bootstrap select[size] {\n height: auto;\n}\n\n.scoped-bootstrap input[type="file"]:focus,\n.scoped-bootstrap input[type="radio"]:focus,\n.scoped-bootstrap input[type="checkbox"]:focus {\n outline: 5px auto -webkit-focus-ring-color;\n outline-offset: -2px;\n}\n\n.scoped-bootstrap output {\n display: block;\n padding-top: 7px;\n font-size: 14px;\n line-height: 1.42857143;\n color: #555;\n}\n\n.scoped-bootstrap .form-control {\n display: block;\n width: 100%;\n height: 34px;\n padding: 6px 12px;\n font-size: 14px;\n line-height: 1.42857143;\n color: #555;\n background-color: #fff;\n background-image: none;\n border: 1px solid #ccc;\n border-radius: 4px;\n -webkit-box-shadow: inset 0 1px 1px rgba(0, 0, 0, .075);\n box-shadow: inset 0 1px 1px rgba(0, 0, 0, .075);\n -webkit-transition: border-color ease-in-out .15s, -webkit-box-shadow ease-in-out .15s;\n -o-transition: border-color ease-in-out .15s, box-shadow ease-in-out .15s;\n transition: border-color ease-in-out .15s, box-shadow ease-in-out .15s;\n}\n\n.scoped-bootstrap .form-control:focus {\n border-color: #66afe9;\n outline: 0;\n -webkit-box-shadow: inset 0 1px 1px rgba(0,0,0,.075), 0 0 8px rgba(102, 175, 233, .6);\n box-shadow: inset 0 1px 1px rgba(0,0,0,.075), 0 0 8px rgba(102, 175, 233, .6);\n}\n\n.scoped-bootstrap .form-control::-moz-placeholder {\n color: #999;\n opacity: 1;\n}\n\n.scoped-bootstrap .form-control:-ms-input-placeholder {\n color: #999;\n}\n\n.scoped-bootstrap .form-control::-webkit-input-placeholder {\n color: #999;\n}\n\n.scoped-bootstrap .form-control::-ms-expand {\n background-color: transparent;\n border: 0;\n}\n\n.scoped-bootstrap .form-control[disabled],\n.scoped-bootstrap .form-control[readonly],\n.scoped-bootstrap fieldset[disabled] .form-control {\n background-color: #eee;\n opacity: 1;\n}\n\n.scoped-bootstrap .form-control[disabled],\n.scoped-bootstrap fieldset[disabled] .form-control {\n cursor: not-allowed;\n}\n\n.scoped-bootstrap textarea.form-control {\n height: auto;\n}\n\n.scoped-bootstrap input[type="search"] {\n -webkit-appearance: none;\n}\n\n@media screen and (-webkit-min-device-pixel-ratio: 0) {\n .scoped-bootstrap input[type="date"].form-control,\n .scoped-bootstrap input[type="time"].form-control,\n .scoped-bootstrap input[type="datetime-local"].form-control,\n .scoped-bootstrap input[type="month"].form-control {\n line-height: 34px;\n }\n\n .scoped-bootstrap input[type="date"].input-sm,\n .scoped-bootstrap input[type="time"].input-sm,\n .scoped-bootstrap input[type="datetime-local"].input-sm,\n .scoped-bootstrap input[type="month"].input-sm,\n .scoped-bootstrap .input-group-sm input[type="date"],\n .scoped-bootstrap .input-group-sm input[type="time"],\n .scoped-bootstrap .input-group-sm input[type="datetime-local"],\n .scoped-bootstrap .input-group-sm input[type="month"] {\n line-height: 30px;\n }\n\n .scoped-bootstrap input[type="date"].input-lg,\n .scoped-bootstrap input[type="time"].input-lg,\n .scoped-bootstrap input[type="datetime-local"].input-lg,\n .scoped-bootstrap input[type="month"].input-lg,\n .scoped-bootstrap .input-group-lg input[type="date"],\n .scoped-bootstrap .input-group-lg input[type="time"],\n .scoped-bootstrap .input-group-lg input[type="datetime-local"],\n .scoped-bootstrap .input-group-lg input[type="month"] {\n line-height: 46px;\n }\n}\n\n.scoped-bootstrap .form-group {\n margin-bottom: 15px;\n}\n\n.scoped-bootstrap .radio,\n.scoped-bootstrap .checkbox {\n position: relative;\n display: block;\n margin-top: 10px;\n margin-bottom: 10px;\n}\n\n.scoped-bootstrap .radio label,\n.scoped-bootstrap .checkbox label {\n min-height: 20px;\n padding-left: 20px;\n margin-bottom: 0;\n font-weight: normal;\n cursor: pointer;\n}\n\n.scoped-bootstrap .radio input[type="radio"],\n.scoped-bootstrap .radio-inline input[type="radio"],\n.scoped-bootstrap .checkbox input[type="checkbox"],\n.scoped-bootstrap .checkbox-inline input[type="checkbox"] {\n position: absolute;\n margin-top: 4px \\9;\n margin-left: -20px;\n}\n\n.scoped-bootstrap .radio + .radio,\n.scoped-bootstrap .checkbox + .checkbox {\n margin-top: -5px;\n}\n\n.scoped-bootstrap .radio-inline,\n.scoped-bootstrap .checkbox-inline {\n position: relative;\n display: inline-block;\n padding-left: 20px;\n margin-bottom: 0;\n font-weight: normal;\n vertical-align: middle;\n cursor: pointer;\n}\n\n.scoped-bootstrap .radio-inline + .radio-inline,\n.scoped-bootstrap .checkbox-inline + .checkbox-inline {\n margin-top: 0;\n margin-left: 10px;\n}\n\n.scoped-bootstrap input[type="radio"][disabled],\n.scoped-bootstrap input[type="checkbox"][disabled],\n.scoped-bootstrap input[type="radio"].disabled,\n.scoped-bootstrap input[type="checkbox"].disabled,\n.scoped-bootstrap fieldset[disabled] input[type="radio"],\n.scoped-bootstrap fieldset[disabled] input[type="checkbox"] {\n cursor: not-allowed;\n}\n\n.scoped-bootstrap .radio-inline.disabled,\n.scoped-bootstrap .checkbox-inline.disabled,\n.scoped-bootstrap fieldset[disabled] .radio-inline,\n.scoped-bootstrap fieldset[disabled] .checkbox-inline {\n cursor: not-allowed;\n}\n\n.scoped-bootstrap .radio.disabled label,\n.scoped-bootstrap .checkbox.disabled label,\n.scoped-bootstrap fieldset[disabled] .radio label,\n.scoped-bootstrap fieldset[disabled] .checkbox label {\n cursor: not-allowed;\n}\n\n.scoped-bootstrap .form-control-static {\n min-height: 34px;\n padding-top: 7px;\n padding-bottom: 7px;\n margin-bottom: 0;\n}\n\n.scoped-bootstrap .form-control-static.input-lg,\n.scoped-bootstrap .form-control-static.input-sm {\n padding-right: 0;\n padding-left: 0;\n}\n\n.scoped-bootstrap .input-sm {\n height: 30px;\n padding: 5px 10px;\n font-size: 12px;\n line-height: 1.5;\n border-radius: 3px;\n}\n\n.scoped-bootstrap select.input-sm {\n height: 30px;\n line-height: 30px;\n}\n\n.scoped-bootstrap textarea.input-sm,\n.scoped-bootstrap select[multiple].input-sm {\n height: auto;\n}\n\n.scoped-bootstrap .form-group-sm .form-control {\n height: 30px;\n padding: 5px 10px;\n font-size: 12px;\n line-height: 1.5;\n border-radius: 3px;\n}\n\n.scoped-bootstrap .form-group-sm select.form-control {\n height: 30px;\n line-height: 30px;\n}\n\n.scoped-bootstrap .form-group-sm textarea.form-control,\n.scoped-bootstrap .form-group-sm select[multiple].form-control {\n height: auto;\n}\n\n.scoped-bootstrap .form-group-sm .form-control-static {\n height: 30px;\n min-height: 32px;\n padding: 6px 10px;\n font-size: 12px;\n line-height: 1.5;\n}\n\n.scoped-bootstrap .input-lg {\n height: 46px;\n padding: 10px 16px;\n font-size: 18px;\n line-height: 1.3333333;\n border-radius: 6px;\n}\n\n.scoped-bootstrap select.input-lg {\n height: 46px;\n line-height: 46px;\n}\n\n.scoped-bootstrap textarea.input-lg,\n.scoped-bootstrap select[multiple].input-lg {\n height: auto;\n}\n\n.scoped-bootstrap .form-group-lg .form-control {\n height: 46px;\n padding: 10px 16px;\n font-size: 18px;\n line-height: 1.3333333;\n border-radius: 6px;\n}\n\n.scoped-bootstrap .form-group-lg select.form-control {\n height: 46px;\n line-height: 46px;\n}\n\n.scoped-bootstrap .form-group-lg textarea.form-control,\n.scoped-bootstrap .form-group-lg select[multiple].form-control {\n height: auto;\n}\n\n.scoped-bootstrap .form-group-lg .form-control-static {\n height: 46px;\n min-height: 38px;\n padding: 11px 16px;\n font-size: 18px;\n line-height: 1.3333333;\n}\n\n.scoped-bootstrap .has-feedback {\n position: relative;\n}\n\n.scoped-bootstrap .has-feedback .form-control {\n padding-right: 42.5px;\n}\n\n.scoped-bootstrap .form-control-feedback {\n position: absolute;\n top: 0;\n right: 0;\n z-index: 2;\n display: block;\n width: 34px;\n height: 34px;\n line-height: 34px;\n text-align: center;\n pointer-events: none;\n}\n\n.scoped-bootstrap .input-lg + .form-control-feedback,\n.scoped-bootstrap .input-group-lg + .form-control-feedback,\n.scoped-bootstrap .form-group-lg .form-control + .form-control-feedback {\n width: 46px;\n height: 46px;\n line-height: 46px;\n}\n\n.scoped-bootstrap .input-sm + .form-control-feedback,\n.scoped-bootstrap .input-group-sm + .form-control-feedback,\n.scoped-bootstrap .form-group-sm .form-control + .form-control-feedback {\n width: 30px;\n height: 30px;\n line-height: 30px;\n}\n\n.scoped-bootstrap .has-success .help-block,\n.scoped-bootstrap .has-success .control-label,\n.scoped-bootstrap .has-success .radio,\n.scoped-bootstrap .has-success .checkbox,\n.scoped-bootstrap .has-success .radio-inline,\n.scoped-bootstrap .has-success .checkbox-inline,\n.scoped-bootstrap .has-success.radio label,\n.scoped-bootstrap .has-success.checkbox label,\n.scoped-bootstrap .has-success.radio-inline label,\n.scoped-bootstrap .has-success.checkbox-inline label {\n color: #3c763d;\n}\n\n.scoped-bootstrap .has-success .form-control {\n border-color: #3c763d;\n -webkit-box-shadow: inset 0 1px 1px rgba(0, 0, 0, .075);\n box-shadow: inset 0 1px 1px rgba(0, 0, 0, .075);\n}\n\n.scoped-bootstrap .has-success .form-control:focus {\n border-color: #2b542c;\n -webkit-box-shadow: inset 0 1px 1px rgba(0, 0, 0, .075), 0 0 6px #67b168;\n box-shadow: inset 0 1px 1px rgba(0, 0, 0, .075), 0 0 6px #67b168;\n}\n\n.scoped-bootstrap .has-success .input-group-addon {\n color: #3c763d;\n background-color: #dff0d8;\n border-color: #3c763d;\n}\n\n.scoped-bootstrap .has-success .form-control-feedback {\n color: #3c763d;\n}\n\n.scoped-bootstrap .has-warning .help-block,\n.scoped-bootstrap .has-warning .control-label,\n.scoped-bootstrap .has-warning .radio,\n.scoped-bootstrap .has-warning .checkbox,\n.scoped-bootstrap .has-warning .radio-inline,\n.scoped-bootstrap .has-warning .checkbox-inline,\n.scoped-bootstrap .has-warning.radio label,\n.scoped-bootstrap .has-warning.checkbox label,\n.scoped-bootstrap .has-warning.radio-inline label,\n.scoped-bootstrap .has-warning.checkbox-inline label {\n color: #8a6d3b;\n}\n\n.scoped-bootstrap .has-warning .form-control {\n border-color: #8a6d3b;\n -webkit-box-shadow: inset 0 1px 1px rgba(0, 0, 0, .075);\n box-shadow: inset 0 1px 1px rgba(0, 0, 0, .075);\n}\n\n.scoped-bootstrap .has-warning .form-control:focus {\n border-color: #66512c;\n -webkit-box-shadow: inset 0 1px 1px rgba(0, 0, 0, .075), 0 0 6px #c0a16b;\n box-shadow: inset 0 1px 1px rgba(0, 0, 0, .075), 0 0 6px #c0a16b;\n}\n\n.scoped-bootstrap .has-warning .input-group-addon {\n color: #8a6d3b;\n background-color: #fcf8e3;\n border-color: #8a6d3b;\n}\n\n.scoped-bootstrap .has-warning .form-control-feedback {\n color: #8a6d3b;\n}\n\n.scoped-bootstrap .has-error .help-block,\n.scoped-bootstrap .has-error .control-label,\n.scoped-bootstrap .has-error .radio,\n.scoped-bootstrap .has-error .checkbox,\n.scoped-bootstrap .has-error .radio-inline,\n.scoped-bootstrap .has-error .checkbox-inline,\n.scoped-bootstrap .has-error.radio label,\n.scoped-bootstrap .has-error.checkbox label,\n.scoped-bootstrap .has-error.radio-inline label,\n.scoped-bootstrap .has-error.checkbox-inline label {\n color: #a94442;\n}\n\n.scoped-bootstrap .has-error .form-control {\n border-color: #a94442;\n -webkit-box-shadow: inset 0 1px 1px rgba(0, 0, 0, .075);\n box-shadow: inset 0 1px 1px rgba(0, 0, 0, .075);\n}\n\n.scoped-bootstrap .has-error .form-control:focus {\n border-color: #843534;\n -webkit-box-shadow: inset 0 1px 1px rgba(0, 0, 0, .075), 0 0 6px #ce8483;\n box-shadow: inset 0 1px 1px rgba(0, 0, 0, .075), 0 0 6px #ce8483;\n}\n\n.scoped-bootstrap .has-error .input-group-addon {\n color: #a94442;\n background-color: #f2dede;\n border-color: #a94442;\n}\n\n.scoped-bootstrap .has-error .form-control-feedback {\n color: #a94442;\n}\n\n.scoped-bootstrap .has-feedback label ~ .form-control-feedback {\n top: 25px;\n}\n\n.scoped-bootstrap .has-feedback label.sr-only ~ .form-control-feedback {\n top: 0;\n}\n\n.scoped-bootstrap .help-block {\n display: block;\n margin-top: 5px;\n margin-bottom: 10px;\n color: #737373;\n}\n\n@media (min-width: 768px) {\n .scoped-bootstrap .form-inline .form-group {\n display: inline-block;\n margin-bottom: 0;\n vertical-align: middle;\n }\n\n .scoped-bootstrap .form-inline .form-control {\n display: inline-block;\n width: auto;\n vertical-align: middle;\n }\n\n .scoped-bootstrap .form-inline .form-control-static {\n display: inline-block;\n }\n\n .scoped-bootstrap .form-inline .input-group {\n display: inline-table;\n vertical-align: middle;\n }\n\n .scoped-bootstrap .form-inline .input-group .input-group-addon,\n .scoped-bootstrap .form-inline .input-group .input-group-btn,\n .scoped-bootstrap .form-inline .input-group .form-control {\n width: auto;\n }\n\n .scoped-bootstrap .form-inline .input-group > .form-control {\n width: 100%;\n }\n\n .scoped-bootstrap .form-inline .control-label {\n margin-bottom: 0;\n vertical-align: middle;\n }\n\n .scoped-bootstrap .form-inline .radio,\n .scoped-bootstrap .form-inline .checkbox {\n display: inline-block;\n margin-top: 0;\n margin-bottom: 0;\n vertical-align: middle;\n }\n\n .scoped-bootstrap .form-inline .radio label,\n .scoped-bootstrap .form-inline .checkbox label {\n padding-left: 0;\n }\n\n .scoped-bootstrap .form-inline .radio input[type="radio"],\n .scoped-bootstrap .form-inline .checkbox input[type="checkbox"] {\n position: relative;\n margin-left: 0;\n }\n\n .scoped-bootstrap .form-inline .has-feedback .form-control-feedback {\n top: 0;\n }\n}\n\n.scoped-bootstrap .form-horizontal .radio,\n.scoped-bootstrap .form-horizontal .checkbox,\n.scoped-bootstrap .form-horizontal .radio-inline,\n.scoped-bootstrap .form-horizontal .checkbox-inline {\n padding-top: 7px;\n margin-top: 0;\n margin-bottom: 0;\n}\n\n.scoped-bootstrap .form-horizontal .radio,\n.scoped-bootstrap .form-horizontal .checkbox {\n min-height: 27px;\n}\n\n.scoped-bootstrap .form-horizontal .form-group {\n margin-right: -15px;\n margin-left: -15px;\n}\n\n@media (min-width: 768px) {\n .scoped-bootstrap .form-horizontal .control-label {\n padding-top: 7px;\n margin-bottom: 0;\n text-align: right;\n }\n}\n\n.scoped-bootstrap .form-horizontal .has-feedback .form-control-feedback {\n right: 15px;\n}\n\n@media (min-width: 768px) {\n .scoped-bootstrap .form-horizontal .form-group-lg .control-label {\n padding-top: 11px;\n font-size: 18px;\n }\n}\n\n@media (min-width: 768px) {\n .scoped-bootstrap .form-horizontal .form-group-sm .control-label {\n padding-top: 6px;\n font-size: 12px;\n }\n}\n\n.scoped-bootstrap .btn {\n display: inline-block;\n padding: 6px 12px;\n margin-bottom: 0;\n font-size: 14px;\n font-weight: normal;\n line-height: 1.42857143;\n text-align: center;\n white-space: nowrap;\n vertical-align: middle;\n -ms-touch-action: manipulation;\n touch-action: manipulation;\n cursor: pointer;\n -webkit-user-select: none;\n -moz-user-select: none;\n -ms-user-select: none;\n user-select: none;\n background-image: none;\n border: 1px solid transparent;\n border-radius: 4px;\n}\n\n.scoped-bootstrap .btn:focus,\n.scoped-bootstrap .btn:active:focus,\n.scoped-bootstrap .btn.active:focus,\n.scoped-bootstrap .btn.focus,\n.scoped-bootstrap .btn:active.focus,\n.scoped-bootstrap .btn.active.focus {\n outline: 5px auto -webkit-focus-ring-color;\n outline-offset: -2px;\n}\n\n.scoped-bootstrap .btn:hover,\n.scoped-bootstrap .btn:focus,\n.scoped-bootstrap .btn.focus {\n color: #333;\n text-decoration: none;\n}\n\n.scoped-bootstrap .btn:active,\n.scoped-bootstrap .btn.active {\n background-image: none;\n outline: 0;\n -webkit-box-shadow: inset 0 3px 5px rgba(0, 0, 0, .125);\n box-shadow: inset 0 3px 5px rgba(0, 0, 0, .125);\n}\n\n.scoped-bootstrap .btn.disabled,\n.scoped-bootstrap .btn[disabled],\n.scoped-bootstrap fieldset[disabled] .btn {\n cursor: not-allowed;\n filter: alpha(opacity=65);\n -webkit-box-shadow: none;\n box-shadow: none;\n opacity: .65;\n}\n\n.scoped-bootstrap a.btn.disabled,\n.scoped-bootstrap fieldset[disabled] a.btn {\n pointer-events: none;\n}\n\n.scoped-bootstrap .btn-default {\n color: #333;\n background-color: #fff;\n border-color: #ccc;\n}\n\n.scoped-bootstrap .btn-default:focus,\n.scoped-bootstrap .btn-default.focus {\n color: #333;\n background-color: #e6e6e6;\n border-color: #8c8c8c;\n}\n\n.scoped-bootstrap .btn-default:hover {\n color: #333;\n background-color: #e6e6e6;\n border-color: #adadad;\n}\n\n.scoped-bootstrap .btn-default:active,\n.scoped-bootstrap .btn-default.active,\n.scoped-bootstrap .open > .dropdown-toggle.btn-default {\n color: #333;\n background-color: #e6e6e6;\n border-color: #adadad;\n}\n\n.scoped-bootstrap .btn-default:active:hover,\n.scoped-bootstrap .btn-default.active:hover,\n.scoped-bootstrap .open > .dropdown-toggle.btn-default:hover,\n.scoped-bootstrap .btn-default:active:focus,\n.scoped-bootstrap .btn-default.active:focus,\n.scoped-bootstrap .open > .dropdown-toggle.btn-default:focus,\n.scoped-bootstrap .btn-default:active.focus,\n.scoped-bootstrap .btn-default.active.focus,\n.scoped-bootstrap .open > .dropdown-toggle.btn-default.focus {\n color: #333;\n background-color: #d4d4d4;\n border-color: #8c8c8c;\n}\n\n.scoped-bootstrap .btn-default:active,\n.scoped-bootstrap .btn-default.active,\n.scoped-bootstrap .open > .dropdown-toggle.btn-default {\n background-image: none;\n}\n\n.scoped-bootstrap .btn-default.disabled:hover,\n.scoped-bootstrap .btn-default[disabled]:hover,\n.scoped-bootstrap fieldset[disabled] .btn-default:hover,\n.scoped-bootstrap .btn-default.disabled:focus,\n.scoped-bootstrap .btn-default[disabled]:focus,\n.scoped-bootstrap fieldset[disabled] .btn-default:focus,\n.scoped-bootstrap .btn-default.disabled.focus,\n.scoped-bootstrap .btn-default[disabled].focus,\n.scoped-bootstrap fieldset[disabled] .btn-default.focus {\n background-color: #fff;\n border-color: #ccc;\n}\n\n.scoped-bootstrap .btn-default .badge {\n color: #fff;\n background-color: #333;\n}\n\n.scoped-bootstrap .btn-primary {\n color: #fff;\n background-color: #337ab7;\n border-color: #2e6da4;\n}\n\n.scoped-bootstrap .btn-primary:focus,\n.scoped-bootstrap .btn-primary.focus {\n color: #fff;\n background-color: #286090;\n border-color: #122b40;\n}\n\n.scoped-bootstrap .btn-primary:hover {\n color: #fff;\n background-color: #286090;\n border-color: #204d74;\n}\n\n.scoped-bootstrap .btn-primary:active,\n.scoped-bootstrap .btn-primary.active,\n.scoped-bootstrap .open > .dropdown-toggle.btn-primary {\n color: #fff;\n background-color: #286090;\n border-color: #204d74;\n}\n\n.scoped-bootstrap .btn-primary:active:hover,\n.scoped-bootstrap .btn-primary.active:hover,\n.scoped-bootstrap .open > .dropdown-toggle.btn-primary:hover,\n.scoped-bootstrap .btn-primary:active:focus,\n.scoped-bootstrap .btn-primary.active:focus,\n.scoped-bootstrap .open > .dropdown-toggle.btn-primary:focus,\n.scoped-bootstrap .btn-primary:active.focus,\n.scoped-bootstrap .btn-primary.active.focus,\n.scoped-bootstrap .open > .dropdown-toggle.btn-primary.focus {\n color: #fff;\n background-color: #204d74;\n border-color: #122b40;\n}\n\n.scoped-bootstrap .btn-primary:active,\n.scoped-bootstrap .btn-primary.active,\n.scoped-bootstrap .open > .dropdown-toggle.btn-primary {\n background-image: none;\n}\n\n.scoped-bootstrap .btn-primary.disabled:hover,\n.scoped-bootstrap .btn-primary[disabled]:hover,\n.scoped-bootstrap fieldset[disabled] .btn-primary:hover,\n.scoped-bootstrap .btn-primary.disabled:focus,\n.scoped-bootstrap .btn-primary[disabled]:focus,\n.scoped-bootstrap fieldset[disabled] .btn-primary:focus,\n.scoped-bootstrap .btn-primary.disabled.focus,\n.scoped-bootstrap .btn-primary[disabled].focus,\n.scoped-bootstrap fieldset[disabled] .btn-primary.focus {\n background-color: #337ab7;\n border-color: #2e6da4;\n}\n\n.scoped-bootstrap .btn-primary .badge {\n color: #337ab7;\n background-color: #fff;\n}\n\n.scoped-bootstrap .btn-success {\n color: #fff;\n background-color: #5cb85c;\n border-color: #4cae4c;\n}\n\n.scoped-bootstrap .btn-success:focus,\n.scoped-bootstrap .btn-success.focus {\n color: #fff;\n background-color: #449d44;\n border-color: #255625;\n}\n\n.scoped-bootstrap .btn-success:hover {\n color: #fff;\n background-color: #449d44;\n border-color: #398439;\n}\n\n.scoped-bootstrap .btn-success:active,\n.scoped-bootstrap .btn-success.active,\n.scoped-bootstrap .open > .dropdown-toggle.btn-success {\n color: #fff;\n background-color: #449d44;\n border-color: #398439;\n}\n\n.scoped-bootstrap .btn-success:active:hover,\n.scoped-bootstrap .btn-success.active:hover,\n.scoped-bootstrap .open > .dropdown-toggle.btn-success:hover,\n.scoped-bootstrap .btn-success:active:focus,\n.scoped-bootstrap .btn-success.active:focus,\n.scoped-bootstrap .open > .dropdown-toggle.btn-success:focus,\n.scoped-bootstrap .btn-success:active.focus,\n.scoped-bootstrap .btn-success.active.focus,\n.scoped-bootstrap .open > .dropdown-toggle.btn-success.focus {\n color: #fff;\n background-color: #398439;\n border-color: #255625;\n}\n\n.scoped-bootstrap .btn-success:active,\n.scoped-bootstrap .btn-success.active,\n.scoped-bootstrap .open > .dropdown-toggle.btn-success {\n background-image: none;\n}\n\n.scoped-bootstrap .btn-success.disabled:hover,\n.scoped-bootstrap .btn-success[disabled]:hover,\n.scoped-bootstrap fieldset[disabled] .btn-success:hover,\n.scoped-bootstrap .btn-success.disabled:focus,\n.scoped-bootstrap .btn-success[disabled]:focus,\n.scoped-bootstrap fieldset[disabled] .btn-success:focus,\n.scoped-bootstrap .btn-success.disabled.focus,\n.scoped-bootstrap .btn-success[disabled].focus,\n.scoped-bootstrap fieldset[disabled] .btn-success.focus {\n background-color: #5cb85c;\n border-color: #4cae4c;\n}\n\n.scoped-bootstrap .btn-success .badge {\n color: #5cb85c;\n background-color: #fff;\n}\n\n.scoped-bootstrap .btn-info {\n color: #fff;\n background-color: #5bc0de;\n border-color: #46b8da;\n}\n\n.scoped-bootstrap .btn-info:focus,\n.scoped-bootstrap .btn-info.focus {\n color: #fff;\n background-color: #31b0d5;\n border-color: #1b6d85;\n}\n\n.scoped-bootstrap .btn-info:hover {\n color: #fff;\n background-color: #31b0d5;\n border-color: #269abc;\n}\n\n.scoped-bootstrap .btn-info:active,\n.scoped-bootstrap .btn-info.active,\n.scoped-bootstrap .open > .dropdown-toggle.btn-info {\n color: #fff;\n background-color: #31b0d5;\n border-color: #269abc;\n}\n\n.scoped-bootstrap .btn-info:active:hover,\n.scoped-bootstrap .btn-info.active:hover,\n.scoped-bootstrap .open > .dropdown-toggle.btn-info:hover,\n.scoped-bootstrap .btn-info:active:focus,\n.scoped-bootstrap .btn-info.active:focus,\n.scoped-bootstrap .open > .dropdown-toggle.btn-info:focus,\n.scoped-bootstrap .btn-info:active.focus,\n.scoped-bootstrap .btn-info.active.focus,\n.scoped-bootstrap .open > .dropdown-toggle.btn-info.focus {\n color: #fff;\n background-color: #269abc;\n border-color: #1b6d85;\n}\n\n.scoped-bootstrap .btn-info:active,\n.scoped-bootstrap .btn-info.active,\n.scoped-bootstrap .open > .dropdown-toggle.btn-info {\n background-image: none;\n}\n\n.scoped-bootstrap .btn-info.disabled:hover,\n.scoped-bootstrap .btn-info[disabled]:hover,\n.scoped-bootstrap fieldset[disabled] .btn-info:hover,\n.scoped-bootstrap .btn-info.disabled:focus,\n.scoped-bootstrap .btn-info[disabled]:focus,\n.scoped-bootstrap fieldset[disabled] .btn-info:focus,\n.scoped-bootstrap .btn-info.disabled.focus,\n.scoped-bootstrap .btn-info[disabled].focus,\n.scoped-bootstrap fieldset[disabled] .btn-info.focus {\n background-color: #5bc0de;\n border-color: #46b8da;\n}\n\n.scoped-bootstrap .btn-info .badge {\n color: #5bc0de;\n background-color: #fff;\n}\n\n.scoped-bootstrap .btn-warning {\n color: #fff;\n background-color: #f0ad4e;\n border-color: #eea236;\n}\n\n.scoped-bootstrap .btn-warning:focus,\n.scoped-bootstrap .btn-warning.focus {\n color: #fff;\n background-color: #ec971f;\n border-color: #985f0d;\n}\n\n.scoped-bootstrap .btn-warning:hover {\n color: #fff;\n background-color: #ec971f;\n border-color: #d58512;\n}\n\n.scoped-bootstrap .btn-warning:active,\n.scoped-bootstrap .btn-warning.active,\n.scoped-bootstrap .open > .dropdown-toggle.btn-warning {\n color: #fff;\n background-color: #ec971f;\n border-color: #d58512;\n}\n\n.scoped-bootstrap .btn-warning:active:hover,\n.scoped-bootstrap .btn-warning.active:hover,\n.scoped-bootstrap .open > .dropdown-toggle.btn-warning:hover,\n.scoped-bootstrap .btn-warning:active:focus,\n.scoped-bootstrap .btn-warning.active:focus,\n.scoped-bootstrap .open > .dropdown-toggle.btn-warning:focus,\n.scoped-bootstrap .btn-warning:active.focus,\n.scoped-bootstrap .btn-warning.active.focus,\n.scoped-bootstrap .open > .dropdown-toggle.btn-warning.focus {\n color: #fff;\n background-color: #d58512;\n border-color: #985f0d;\n}\n\n.scoped-bootstrap .btn-warning:active,\n.scoped-bootstrap .btn-warning.active,\n.scoped-bootstrap .open > .dropdown-toggle.btn-warning {\n background-image: none;\n}\n\n.scoped-bootstrap .btn-warning.disabled:hover,\n.scoped-bootstrap .btn-warning[disabled]:hover,\n.scoped-bootstrap fieldset[disabled] .btn-warning:hover,\n.scoped-bootstrap .btn-warning.disabled:focus,\n.scoped-bootstrap .btn-warning[disabled]:focus,\n.scoped-bootstrap fieldset[disabled] .btn-warning:focus,\n.scoped-bootstrap .btn-warning.disabled.focus,\n.scoped-bootstrap .btn-warning[disabled].focus,\n.scoped-bootstrap fieldset[disabled] .btn-warning.focus {\n background-color: #f0ad4e;\n border-color: #eea236;\n}\n\n.scoped-bootstrap .btn-warning .badge {\n color: #f0ad4e;\n background-color: #fff;\n}\n\n.scoped-bootstrap .btn-danger {\n color: #fff;\n background-color: #d9534f;\n border-color: #d43f3a;\n}\n\n.scoped-bootstrap .btn-danger:focus,\n.scoped-bootstrap .btn-danger.focus {\n color: #fff;\n background-color: #c9302c;\n border-color: #761c19;\n}\n\n.scoped-bootstrap .btn-danger:hover {\n color: #fff;\n background-color: #c9302c;\n border-color: #ac2925;\n}\n\n.scoped-bootstrap .btn-danger:active,\n.scoped-bootstrap .btn-danger.active,\n.scoped-bootstrap .open > .dropdown-toggle.btn-danger {\n color: #fff;\n background-color: #c9302c;\n border-color: #ac2925;\n}\n\n.scoped-bootstrap .btn-danger:active:hover,\n.scoped-bootstrap .btn-danger.active:hover,\n.scoped-bootstrap .open > .dropdown-toggle.btn-danger:hover,\n.scoped-bootstrap .btn-danger:active:focus,\n.scoped-bootstrap .btn-danger.active:focus,\n.scoped-bootstrap .open > .dropdown-toggle.btn-danger:focus,\n.scoped-bootstrap .btn-danger:active.focus,\n.scoped-bootstrap .btn-danger.active.focus,\n.scoped-bootstrap .open > .dropdown-toggle.btn-danger.focus {\n color: #fff;\n background-color: #ac2925;\n border-color: #761c19;\n}\n\n.scoped-bootstrap .btn-danger:active,\n.scoped-bootstrap .btn-danger.active,\n.scoped-bootstrap .open > .dropdown-toggle.btn-danger {\n background-image: none;\n}\n\n.scoped-bootstrap .btn-danger.disabled:hover,\n.scoped-bootstrap .btn-danger[disabled]:hover,\n.scoped-bootstrap fieldset[disabled] .btn-danger:hover,\n.scoped-bootstrap .btn-danger.disabled:focus,\n.scoped-bootstrap .btn-danger[disabled]:focus,\n.scoped-bootstrap fieldset[disabled] .btn-danger:focus,\n.scoped-bootstrap .btn-danger.disabled.focus,\n.scoped-bootstrap .btn-danger[disabled].focus,\n.scoped-bootstrap fieldset[disabled] .btn-danger.focus {\n background-color: #d9534f;\n border-color: #d43f3a;\n}\n\n.scoped-bootstrap .btn-danger .badge {\n color: #d9534f;\n background-color: #fff;\n}\n\n.scoped-bootstrap .btn-link {\n font-weight: normal;\n color: #337ab7;\n border-radius: 0;\n}\n\n.scoped-bootstrap .btn-link,\n.scoped-bootstrap .btn-link:active,\n.scoped-bootstrap .btn-link.active,\n.scoped-bootstrap .btn-link[disabled],\n.scoped-bootstrap fieldset[disabled] .btn-link {\n background-color: transparent;\n -webkit-box-shadow: none;\n box-shadow: none;\n}\n\n.scoped-bootstrap .btn-link,\n.scoped-bootstrap .btn-link:hover,\n.scoped-bootstrap .btn-link:focus,\n.scoped-bootstrap .btn-link:active {\n border-color: transparent;\n}\n\n.scoped-bootstrap .btn-link:hover,\n.scoped-bootstrap .btn-link:focus {\n color: #23527c;\n text-decoration: underline;\n background-color: transparent;\n}\n\n.scoped-bootstrap .btn-link[disabled]:hover,\n.scoped-bootstrap fieldset[disabled] .btn-link:hover,\n.scoped-bootstrap .btn-link[disabled]:focus,\n.scoped-bootstrap fieldset[disabled] .btn-link:focus {\n color: #777;\n text-decoration: none;\n}\n\n.scoped-bootstrap .btn-lg,\n.scoped-bootstrap .btn-group-lg > .btn {\n padding: 10px 16px;\n font-size: 18px;\n line-height: 1.3333333;\n border-radius: 6px;\n}\n\n.scoped-bootstrap .btn-sm,\n.scoped-bootstrap .btn-group-sm > .btn {\n padding: 5px 10px;\n font-size: 12px;\n line-height: 1.5;\n border-radius: 3px;\n}\n\n.scoped-bootstrap .btn-xs,\n.scoped-bootstrap .btn-group-xs > .btn {\n padding: 1px 5px;\n font-size: 12px;\n line-height: 1.5;\n border-radius: 3px;\n}\n\n.scoped-bootstrap .btn-block {\n display: block;\n width: 100%;\n}\n\n.scoped-bootstrap .btn-block + .btn-block {\n margin-top: 5px;\n}\n\n.scoped-bootstrap input[type="submit"].btn-block,\n.scoped-bootstrap input[type="reset"].btn-block,\n.scoped-bootstrap input[type="button"].btn-block {\n width: 100%;\n}\n\n.scoped-bootstrap .fade {\n opacity: 0;\n -webkit-transition: opacity .15s linear;\n -o-transition: opacity .15s linear;\n transition: opacity .15s linear;\n}\n\n.scoped-bootstrap .fade.in {\n opacity: 1;\n}\n\n.scoped-bootstrap .collapse {\n display: none;\n}\n\n.scoped-bootstrap .collapse.in {\n display: block;\n}\n\n.scoped-bootstrap tr.collapse.in {\n display: table-row;\n}\n\n.scoped-bootstrap tbody.collapse.in {\n display: table-row-group;\n}\n\n.scoped-bootstrap .collapsing {\n position: relative;\n height: 0;\n overflow: hidden;\n -webkit-transition-timing-function: ease;\n -o-transition-timing-function: ease;\n transition-timing-function: ease;\n -webkit-transition-duration: .35s;\n -o-transition-duration: .35s;\n transition-duration: .35s;\n -webkit-transition-property: height, visibility;\n -o-transition-property: height, visibility;\n transition-property: height, visibility;\n}\n\n.scoped-bootstrap .caret {\n display: inline-block;\n width: 0;\n height: 0;\n margin-left: 2px;\n vertical-align: middle;\n border-top: 4px dashed;\n border-top: 4px solid \\9;\n border-right: 4px solid transparent;\n border-left: 4px solid transparent;\n}\n\n.scoped-bootstrap .dropup,\n.scoped-bootstrap .dropdown {\n position: relative;\n}\n\n.scoped-bootstrap .dropdown-toggle:focus {\n outline: 0;\n}\n\n.scoped-bootstrap .dropdown-menu {\n position: absolute;\n top: 100%;\n left: 0;\n z-index: 1000;\n display: none;\n float: left;\n min-width: 160px;\n padding: 5px 0;\n margin: 2px 0 0;\n font-size: 14px;\n text-align: left;\n list-style: none;\n background-color: #fff;\n -webkit-background-clip: padding-box;\n background-clip: padding-box;\n border: 1px solid #ccc;\n border: 1px solid rgba(0, 0, 0, .15);\n border-radius: 4px;\n -webkit-box-shadow: 0 6px 12px rgba(0, 0, 0, .175);\n box-shadow: 0 6px 12px rgba(0, 0, 0, .175);\n}\n\n.scoped-bootstrap .dropdown-menu.pull-right {\n right: 0;\n left: auto;\n}\n\n.scoped-bootstrap .dropdown-menu .divider {\n height: 1px;\n margin: 9px 0;\n overflow: hidden;\n background-color: #e5e5e5;\n}\n\n.scoped-bootstrap .dropdown-menu > li > a {\n display: block;\n padding: 3px 20px;\n clear: both;\n font-weight: normal;\n line-height: 1.42857143;\n color: #333;\n white-space: nowrap;\n}\n\n.scoped-bootstrap .dropdown-menu > li > a:hover,\n.scoped-bootstrap .dropdown-menu > li > a:focus {\n color: #262626;\n text-decoration: none;\n background-color: #f5f5f5;\n}\n\n.scoped-bootstrap .dropdown-menu > .active > a,\n.scoped-bootstrap .dropdown-menu > .active > a:hover,\n.scoped-bootstrap .dropdown-menu > .active > a:focus {\n color: #fff;\n text-decoration: none;\n background-color: #337ab7;\n outline: 0;\n}\n\n.scoped-bootstrap .dropdown-menu > .disabled > a,\n.scoped-bootstrap .dropdown-menu > .disabled > a:hover,\n.scoped-bootstrap .dropdown-menu > .disabled > a:focus {\n color: #777;\n}\n\n.scoped-bootstrap .dropdown-menu > .disabled > a:hover,\n.scoped-bootstrap .dropdown-menu > .disabled > a:focus {\n text-decoration: none;\n cursor: not-allowed;\n background-color: transparent;\n background-image: none;\n filter: progid:DXImageTransform.Microsoft.gradient(enabled = false);\n}\n\n.scoped-bootstrap .open > .dropdown-menu {\n display: block;\n}\n\n.scoped-bootstrap .open > a {\n outline: 0;\n}\n\n.scoped-bootstrap .dropdown-menu-right {\n right: 0;\n left: auto;\n}\n\n.scoped-bootstrap .dropdown-menu-left {\n right: auto;\n left: 0;\n}\n\n.scoped-bootstrap .dropdown-header {\n display: block;\n padding: 3px 20px;\n font-size: 12px;\n line-height: 1.42857143;\n color: #777;\n white-space: nowrap;\n}\n\n.scoped-bootstrap .dropdown-backdrop {\n position: fixed;\n top: 0;\n right: 0;\n bottom: 0;\n left: 0;\n z-index: 990;\n}\n\n.scoped-bootstrap .pull-right > .dropdown-menu {\n right: 0;\n left: auto;\n}\n\n.scoped-bootstrap .dropup .caret,\n.scoped-bootstrap .navbar-fixed-bottom .dropdown .caret {\n content: "";\n border-top: 0;\n border-bottom: 4px dashed;\n border-bottom: 4px solid \\9;\n}\n\n.scoped-bootstrap .dropup .dropdown-menu,\n.scoped-bootstrap .navbar-fixed-bottom .dropdown .dropdown-menu {\n top: auto;\n bottom: 100%;\n margin-bottom: 2px;\n}\n\n@media (min-width: 768px) {\n .scoped-bootstrap .navbar-right .dropdown-menu {\n right: 0;\n left: auto;\n }\n\n .scoped-bootstrap .navbar-right .dropdown-menu-left {\n right: auto;\n left: 0;\n }\n}\n\n.scoped-bootstrap .btn-group,\n.scoped-bootstrap .btn-group-vertical {\n position: relative;\n display: inline-block;\n vertical-align: middle;\n}\n\n.scoped-bootstrap .btn-group > .btn,\n.scoped-bootstrap .btn-group-vertical > .btn {\n position: relative;\n float: left;\n}\n\n.scoped-bootstrap .btn-group > .btn:hover,\n.scoped-bootstrap .btn-group-vertical > .btn:hover,\n.scoped-bootstrap .btn-group > .btn:focus,\n.scoped-bootstrap .btn-group-vertical > .btn:focus,\n.scoped-bootstrap .btn-group > .btn:active,\n.scoped-bootstrap .btn-group-vertical > .btn:active,\n.scoped-bootstrap .btn-group > .btn.active,\n.scoped-bootstrap .btn-group-vertical > .btn.active {\n z-index: 2;\n}\n\n.scoped-bootstrap .btn-group .btn + .btn,\n.scoped-bootstrap .btn-group .btn + .btn-group,\n.scoped-bootstrap .btn-group .btn-group + .btn,\n.scoped-bootstrap .btn-group .btn-group + .btn-group {\n margin-left: -1px;\n}\n\n.scoped-bootstrap .btn-toolbar {\n margin-left: -5px;\n}\n\n.scoped-bootstrap .btn-toolbar .btn,\n.scoped-bootstrap .btn-toolbar .btn-group,\n.scoped-bootstrap .btn-toolbar .input-group {\n float: left;\n}\n\n.scoped-bootstrap .btn-toolbar > .btn,\n.scoped-bootstrap .btn-toolbar > .btn-group,\n.scoped-bootstrap .btn-toolbar > .input-group {\n margin-left: 5px;\n}\n\n.scoped-bootstrap .btn-group > .btn:not(:first-child):not(:last-child):not(.dropdown-toggle) {\n border-radius: 0;\n}\n\n.scoped-bootstrap .btn-group > .btn:first-child {\n margin-left: 0;\n}\n\n.scoped-bootstrap .btn-group > .btn:first-child:not(:last-child):not(.dropdown-toggle) {\n border-top-right-radius: 0;\n border-bottom-right-radius: 0;\n}\n\n.scoped-bootstrap .btn-group > .btn:last-child:not(:first-child),\n.scoped-bootstrap .btn-group > .dropdown-toggle:not(:first-child) {\n border-top-left-radius: 0;\n border-bottom-left-radius: 0;\n}\n\n.scoped-bootstrap .btn-group > .btn-group {\n float: left;\n}\n\n.scoped-bootstrap .btn-group > .btn-group:not(:first-child):not(:last-child) > .btn {\n border-radius: 0;\n}\n\n.scoped-bootstrap .btn-group > .btn-group:first-child:not(:last-child) > .btn:last-child,\n.scoped-bootstrap .btn-group > .btn-group:first-child:not(:last-child) > .dropdown-toggle {\n border-top-right-radius: 0;\n border-bottom-right-radius: 0;\n}\n\n.scoped-bootstrap .btn-group > .btn-group:last-child:not(:first-child) > .btn:first-child {\n border-top-left-radius: 0;\n border-bottom-left-radius: 0;\n}\n\n.scoped-bootstrap .btn-group .dropdown-toggle:active,\n.scoped-bootstrap .btn-group.open .dropdown-toggle {\n outline: 0;\n}\n\n.scoped-bootstrap .btn-group > .btn + .dropdown-toggle {\n padding-right: 8px;\n padding-left: 8px;\n}\n\n.scoped-bootstrap .btn-group > .btn-lg + .dropdown-toggle {\n padding-right: 12px;\n padding-left: 12px;\n}\n\n.scoped-bootstrap .btn-group.open .dropdown-toggle {\n -webkit-box-shadow: inset 0 3px 5px rgba(0, 0, 0, .125);\n box-shadow: inset 0 3px 5px rgba(0, 0, 0, .125);\n}\n\n.scoped-bootstrap .btn-group.open .dropdown-toggle.btn-link {\n -webkit-box-shadow: none;\n box-shadow: none;\n}\n\n.scoped-bootstrap .btn .caret {\n margin-left: 0;\n}\n\n.scoped-bootstrap .btn-lg .caret {\n border-width: 5px 5px 0;\n border-bottom-width: 0;\n}\n\n.scoped-bootstrap .dropup .btn-lg .caret {\n border-width: 0 5px 5px;\n}\n\n.scoped-bootstrap .btn-group-vertical > .btn,\n.scoped-bootstrap .btn-group-vertical > .btn-group,\n.scoped-bootstrap .btn-group-vertical > .btn-group > .btn {\n display: block;\n float: none;\n width: 100%;\n max-width: 100%;\n}\n\n.scoped-bootstrap .btn-group-vertical > .btn-group > .btn {\n float: none;\n}\n\n.scoped-bootstrap .btn-group-vertical > .btn + .btn,\n.scoped-bootstrap .btn-group-vertical > .btn + .btn-group,\n.scoped-bootstrap .btn-group-vertical > .btn-group + .btn,\n.scoped-bootstrap .btn-group-vertical > .btn-group + .btn-group {\n margin-top: -1px;\n margin-left: 0;\n}\n\n.scoped-bootstrap .btn-group-vertical > .btn:not(:first-child):not(:last-child) {\n border-radius: 0;\n}\n\n.scoped-bootstrap .btn-group-vertical > .btn:first-child:not(:last-child) {\n border-top-left-radius: 4px;\n border-top-right-radius: 4px;\n border-bottom-right-radius: 0;\n border-bottom-left-radius: 0;\n}\n\n.scoped-bootstrap .btn-group-vertical > .btn:last-child:not(:first-child) {\n border-top-left-radius: 0;\n border-top-right-radius: 0;\n border-bottom-right-radius: 4px;\n border-bottom-left-radius: 4px;\n}\n\n.scoped-bootstrap .btn-group-vertical > .btn-group:not(:first-child):not(:last-child) > .btn {\n border-radius: 0;\n}\n\n.scoped-bootstrap .btn-group-vertical > .btn-group:first-child:not(:last-child) > .btn:last-child,\n.scoped-bootstrap .btn-group-vertical > .btn-group:first-child:not(:last-child) > .dropdown-toggle {\n border-bottom-right-radius: 0;\n border-bottom-left-radius: 0;\n}\n\n.scoped-bootstrap .btn-group-vertical > .btn-group:last-child:not(:first-child) > .btn:first-child {\n border-top-left-radius: 0;\n border-top-right-radius: 0;\n}\n\n.scoped-bootstrap .btn-group-justified {\n display: table;\n width: 100%;\n table-layout: fixed;\n border-collapse: separate;\n}\n\n.scoped-bootstrap .btn-group-justified > .btn,\n.scoped-bootstrap .btn-group-justified > .btn-group {\n display: table-cell;\n float: none;\n width: 1%;\n}\n\n.scoped-bootstrap .btn-group-justified > .btn-group .btn {\n width: 100%;\n}\n\n.scoped-bootstrap .btn-group-justified > .btn-group .dropdown-menu {\n left: auto;\n}\n\n.scoped-bootstrap [data-toggle="buttons"] > .btn input[type="radio"],\n.scoped-bootstrap [data-toggle="buttons"] > .btn-group > .btn input[type="radio"],\n.scoped-bootstrap [data-toggle="buttons"] > .btn input[type="checkbox"],\n.scoped-bootstrap [data-toggle="buttons"] > .btn-group > .btn input[type="checkbox"] {\n position: absolute;\n clip: rect(0, 0, 0, 0);\n pointer-events: none;\n}\n\n.scoped-bootstrap .input-group {\n position: relative;\n display: table;\n border-collapse: separate;\n}\n\n.scoped-bootstrap .input-group[class*="col-"] {\n float: none;\n padding-right: 0;\n padding-left: 0;\n}\n\n.scoped-bootstrap .input-group .form-control {\n position: relative;\n z-index: 2;\n float: left;\n width: 100%;\n margin-bottom: 0;\n}\n\n.scoped-bootstrap .input-group .form-control:focus {\n z-index: 3;\n}\n\n.scoped-bootstrap .input-group-lg > .form-control,\n.scoped-bootstrap .input-group-lg > .input-group-addon,\n.scoped-bootstrap .input-group-lg > .input-group-btn > .btn {\n height: 46px;\n padding: 10px 16px;\n font-size: 18px;\n line-height: 1.3333333;\n border-radius: 6px;\n}\n\n.scoped-bootstrap select.input-group-lg > .form-control,\n.scoped-bootstrap select.input-group-lg > .input-group-addon,\n.scoped-bootstrap select.input-group-lg > .input-group-btn > .btn {\n height: 46px;\n line-height: 46px;\n}\n\n.scoped-bootstrap textarea.input-group-lg > .form-control,\n.scoped-bootstrap textarea.input-group-lg > .input-group-addon,\n.scoped-bootstrap textarea.input-group-lg > .input-group-btn > .btn,\n.scoped-bootstrap select[multiple].input-group-lg > .form-control,\n.scoped-bootstrap select[multiple].input-group-lg > .input-group-addon,\n.scoped-bootstrap select[multiple].input-group-lg > .input-group-btn > .btn {\n height: auto;\n}\n\n.scoped-bootstrap .input-group-sm > .form-control,\n.scoped-bootstrap .input-group-sm > .input-group-addon,\n.scoped-bootstrap .input-group-sm > .input-group-btn > .btn {\n height: 30px;\n padding: 5px 10px;\n font-size: 12px;\n line-height: 1.5;\n border-radius: 3px;\n}\n\n.scoped-bootstrap select.input-group-sm > .form-control,\n.scoped-bootstrap select.input-group-sm > .input-group-addon,\n.scoped-bootstrap select.input-group-sm > .input-group-btn > .btn {\n height: 30px;\n line-height: 30px;\n}\n\n.scoped-bootstrap textarea.input-group-sm > .form-control,\n.scoped-bootstrap textarea.input-group-sm > .input-group-addon,\n.scoped-bootstrap textarea.input-group-sm > .input-group-btn > .btn,\n.scoped-bootstrap select[multiple].input-group-sm > .form-control,\n.scoped-bootstrap select[multiple].input-group-sm > .input-group-addon,\n.scoped-bootstrap select[multiple].input-group-sm > .input-group-btn > .btn {\n height: auto;\n}\n\n.scoped-bootstrap .input-group-addon,\n.scoped-bootstrap .input-group-btn,\n.scoped-bootstrap .input-group .form-control {\n display: table-cell;\n}\n\n.scoped-bootstrap .input-group-addon:not(:first-child):not(:last-child),\n.scoped-bootstrap .input-group-btn:not(:first-child):not(:last-child),\n.scoped-bootstrap .input-group .form-control:not(:first-child):not(:last-child) {\n border-radius: 0;\n}\n\n.scoped-bootstrap .input-group-addon,\n.scoped-bootstrap .input-group-btn {\n width: 1%;\n white-space: nowrap;\n vertical-align: middle;\n}\n\n.scoped-bootstrap .input-group-addon {\n padding: 6px 12px;\n font-size: 14px;\n font-weight: normal;\n line-height: 1;\n color: #555;\n text-align: center;\n background-color: #eee;\n border: 1px solid #ccc;\n border-radius: 4px;\n}\n\n.scoped-bootstrap .input-group-addon.input-sm {\n padding: 5px 10px;\n font-size: 12px;\n border-radius: 3px;\n}\n\n.scoped-bootstrap .input-group-addon.input-lg {\n padding: 10px 16px;\n font-size: 18px;\n border-radius: 6px;\n}\n\n.scoped-bootstrap .input-group-addon input[type="radio"],\n.scoped-bootstrap .input-group-addon input[type="checkbox"] {\n margin-top: 0;\n}\n\n.scoped-bootstrap .input-group .form-control:first-child,\n.scoped-bootstrap .input-group-addon:first-child,\n.scoped-bootstrap .input-group-btn:first-child > .btn,\n.scoped-bootstrap .input-group-btn:first-child > .btn-group > .btn,\n.scoped-bootstrap .input-group-btn:first-child > .dropdown-toggle,\n.scoped-bootstrap .input-group-btn:last-child > .btn:not(:last-child):not(.dropdown-toggle),\n.scoped-bootstrap .input-group-btn:last-child > .btn-group:not(:last-child) > .btn {\n border-top-right-radius: 0;\n border-bottom-right-radius: 0;\n}\n\n.scoped-bootstrap .input-group-addon:first-child {\n border-right: 0;\n}\n\n.scoped-bootstrap .input-group .form-control:last-child,\n.scoped-bootstrap .input-group-addon:last-child,\n.scoped-bootstrap .input-group-btn:last-child > .btn,\n.scoped-bootstrap .input-group-btn:last-child > .btn-group > .btn,\n.scoped-bootstrap .input-group-btn:last-child > .dropdown-toggle,\n.scoped-bootstrap .input-group-btn:first-child > .btn:not(:first-child),\n.scoped-bootstrap .input-group-btn:first-child > .btn-group:not(:first-child) > .btn {\n border-top-left-radius: 0;\n border-bottom-left-radius: 0;\n}\n\n.scoped-bootstrap .input-group-addon:last-child {\n border-left: 0;\n}\n\n.scoped-bootstrap .input-group-btn {\n position: relative;\n font-size: 0;\n white-space: nowrap;\n}\n\n.scoped-bootstrap .input-group-btn > .btn {\n position: relative;\n}\n\n.scoped-bootstrap .input-group-btn > .btn + .btn {\n margin-left: -1px;\n}\n\n.scoped-bootstrap .input-group-btn > .btn:hover,\n.scoped-bootstrap .input-group-btn > .btn:focus,\n.scoped-bootstrap .input-group-btn > .btn:active {\n z-index: 2;\n}\n\n.scoped-bootstrap .input-group-btn:first-child > .btn,\n.scoped-bootstrap .input-group-btn:first-child > .btn-group {\n margin-right: -1px;\n}\n\n.scoped-bootstrap .input-group-btn:last-child > .btn,\n.scoped-bootstrap .input-group-btn:last-child > .btn-group {\n z-index: 2;\n margin-left: -1px;\n}\n\n.scoped-bootstrap .nav {\n padding-left: 0;\n margin-bottom: 0;\n list-style: none;\n}\n\n.scoped-bootstrap .nav > li {\n position: relative;\n display: block;\n}\n\n.scoped-bootstrap .nav > li > a {\n position: relative;\n display: block;\n padding: 10px 15px;\n}\n\n.scoped-bootstrap .nav > li > a:hover,\n.scoped-bootstrap .nav > li > a:focus {\n text-decoration: none;\n background-color: #eee;\n}\n\n.scoped-bootstrap .nav > li.disabled > a {\n color: #777;\n}\n\n.scoped-bootstrap .nav > li.disabled > a:hover,\n.scoped-bootstrap .nav > li.disabled > a:focus {\n color: #777;\n text-decoration: none;\n cursor: not-allowed;\n background-color: transparent;\n}\n\n.scoped-bootstrap .nav .open > a,\n.scoped-bootstrap .nav .open > a:hover,\n.scoped-bootstrap .nav .open > a:focus {\n background-color: #eee;\n border-color: #337ab7;\n}\n\n.scoped-bootstrap .nav .nav-divider {\n height: 1px;\n margin: 9px 0;\n overflow: hidden;\n background-color: #e5e5e5;\n}\n\n.scoped-bootstrap .nav > li > a > img {\n max-width: none;\n}\n\n.scoped-bootstrap .nav-tabs {\n border-bottom: 1px solid #ddd;\n}\n\n.scoped-bootstrap .nav-tabs > li {\n float: left;\n margin-bottom: -1px;\n}\n\n.scoped-bootstrap .nav-tabs > li > a {\n margin-right: 2px;\n line-height: 1.42857143;\n border: 1px solid transparent;\n border-radius: 4px 4px 0 0;\n}\n\n.scoped-bootstrap .nav-tabs > li > a:hover {\n border-color: #eee #eee #ddd;\n}\n\n.scoped-bootstrap .nav-tabs > li.active > a,\n.scoped-bootstrap .nav-tabs > li.active > a:hover,\n.scoped-bootstrap .nav-tabs > li.active > a:focus {\n color: #555;\n cursor: default;\n background-color: #fff;\n border: 1px solid #ddd;\n border-bottom-color: transparent;\n}\n\n.scoped-bootstrap .nav-tabs.nav-justified {\n width: 100%;\n border-bottom: 0;\n}\n\n.scoped-bootstrap .nav-tabs.nav-justified > li {\n float: none;\n}\n\n.scoped-bootstrap .nav-tabs.nav-justified > li > a {\n margin-bottom: 5px;\n text-align: center;\n}\n\n.scoped-bootstrap .nav-tabs.nav-justified > .dropdown .dropdown-menu {\n top: auto;\n left: auto;\n}\n\n@media (min-width: 768px) {\n .scoped-bootstrap .nav-tabs.nav-justified > li {\n display: table-cell;\n width: 1%;\n }\n\n .scoped-bootstrap .nav-tabs.nav-justified > li > a {\n margin-bottom: 0;\n }\n}\n\n.scoped-bootstrap .nav-tabs.nav-justified > li > a {\n margin-right: 0;\n border-radius: 4px;\n}\n\n.scoped-bootstrap .nav-tabs.nav-justified > .active > a,\n.scoped-bootstrap .nav-tabs.nav-justified > .active > a:hover,\n.scoped-bootstrap .nav-tabs.nav-justified > .active > a:focus {\n border: 1px solid #ddd;\n}\n\n@media (min-width: 768px) {\n .scoped-bootstrap .nav-tabs.nav-justified > li > a {\n border-bottom: 1px solid #ddd;\n border-radius: 4px 4px 0 0;\n }\n\n .scoped-bootstrap .nav-tabs.nav-justified > .active > a,\n .scoped-bootstrap .nav-tabs.nav-justified > .active > a:hover,\n .scoped-bootstrap .nav-tabs.nav-justified > .active > a:focus {\n border-bottom-color: #fff;\n }\n}\n\n.scoped-bootstrap .nav-pills > li {\n float: left;\n}\n\n.scoped-bootstrap .nav-pills > li > a {\n border-radius: 4px;\n}\n\n.scoped-bootstrap .nav-pills > li + li {\n margin-left: 2px;\n}\n\n.scoped-bootstrap .nav-pills > li.active > a,\n.scoped-bootstrap .nav-pills > li.active > a:hover,\n.scoped-bootstrap .nav-pills > li.active > a:focus {\n color: #fff;\n background-color: #337ab7;\n}\n\n.scoped-bootstrap .nav-stacked > li {\n float: none;\n}\n\n.scoped-bootstrap .nav-stacked > li + li {\n margin-top: 2px;\n margin-left: 0;\n}\n\n.scoped-bootstrap .nav-justified {\n width: 100%;\n}\n\n.scoped-bootstrap .nav-justified > li {\n float: none;\n}\n\n.scoped-bootstrap .nav-justified > li > a {\n margin-bottom: 5px;\n text-align: center;\n}\n\n.scoped-bootstrap .nav-justified > .dropdown .dropdown-menu {\n top: auto;\n left: auto;\n}\n\n@media (min-width: 768px) {\n .scoped-bootstrap .nav-justified > li {\n display: table-cell;\n width: 1%;\n }\n\n .scoped-bootstrap .nav-justified > li > a {\n margin-bottom: 0;\n }\n}\n\n.scoped-bootstrap .nav-tabs-justified {\n border-bottom: 0;\n}\n\n.scoped-bootstrap .nav-tabs-justified > li > a {\n margin-right: 0;\n border-radius: 4px;\n}\n\n.scoped-bootstrap .nav-tabs-justified > .active > a,\n.scoped-bootstrap .nav-tabs-justified > .active > a:hover,\n.scoped-bootstrap .nav-tabs-justified > .active > a:focus {\n border: 1px solid #ddd;\n}\n\n@media (min-width: 768px) {\n .scoped-bootstrap .nav-tabs-justified > li > a {\n border-bottom: 1px solid #ddd;\n border-radius: 4px 4px 0 0;\n }\n\n .scoped-bootstrap .nav-tabs-justified > .active > a,\n .scoped-bootstrap .nav-tabs-justified > .active > a:hover,\n .scoped-bootstrap .nav-tabs-justified > .active > a:focus {\n border-bottom-color: #fff;\n }\n}\n\n.scoped-bootstrap .tab-content > .tab-pane {\n display: none;\n}\n\n.scoped-bootstrap .tab-content > .active {\n display: block;\n}\n\n.scoped-bootstrap .nav-tabs .dropdown-menu {\n margin-top: -1px;\n border-top-left-radius: 0;\n border-top-right-radius: 0;\n}\n\n.scoped-bootstrap .navbar {\n position: relative;\n min-height: 50px;\n margin-bottom: 20px;\n border: 1px solid transparent;\n}\n\n@media (min-width: 768px) {\n .scoped-bootstrap .navbar {\n border-radius: 4px;\n }\n}\n\n@media (min-width: 768px) {\n .scoped-bootstrap .navbar-header {\n float: left;\n }\n}\n\n.scoped-bootstrap .navbar-collapse {\n padding-right: 15px;\n padding-left: 15px;\n overflow-x: visible;\n -webkit-overflow-scrolling: touch;\n border-top: 1px solid transparent;\n -webkit-box-shadow: inset 0 1px 0 rgba(255, 255, 255, .1);\n box-shadow: inset 0 1px 0 rgba(255, 255, 255, .1);\n}\n\n.scoped-bootstrap .navbar-collapse.in {\n overflow-y: auto;\n}\n\n@media (min-width: 768px) {\n .scoped-bootstrap .navbar-collapse {\n width: auto;\n border-top: 0;\n -webkit-box-shadow: none;\n box-shadow: none;\n }\n\n .scoped-bootstrap .navbar-collapse.collapse {\n display: block !important;\n height: auto !important;\n padding-bottom: 0;\n overflow: visible !important;\n }\n\n .scoped-bootstrap .navbar-collapse.in {\n overflow-y: visible;\n }\n\n .scoped-bootstrap .navbar-fixed-top .navbar-collapse,\n .scoped-bootstrap .navbar-static-top .navbar-collapse,\n .scoped-bootstrap .navbar-fixed-bottom .navbar-collapse {\n padding-right: 0;\n padding-left: 0;\n }\n}\n\n.scoped-bootstrap .navbar-fixed-top .navbar-collapse,\n.scoped-bootstrap .navbar-fixed-bottom .navbar-collapse {\n max-height: 340px;\n}\n\n@media (max-device-width: 480px) and (orientation: landscape) {\n .scoped-bootstrap .navbar-fixed-top .navbar-collapse,\n .scoped-bootstrap .navbar-fixed-bottom .navbar-collapse {\n max-height: 200px;\n }\n}\n\n.scoped-bootstrap .container > .navbar-header,\n.scoped-bootstrap .container-fluid > .navbar-header,\n.scoped-bootstrap .container > .navbar-collapse,\n.scoped-bootstrap .container-fluid > .navbar-collapse {\n margin-right: -15px;\n margin-left: -15px;\n}\n\n@media (min-width: 768px) {\n .scoped-bootstrap .container > .navbar-header,\n .scoped-bootstrap .container-fluid > .navbar-header,\n .scoped-bootstrap .container > .navbar-collapse,\n .scoped-bootstrap .container-fluid > .navbar-collapse {\n margin-right: 0;\n margin-left: 0;\n }\n}\n\n.scoped-bootstrap .navbar-static-top {\n z-index: 1000;\n border-width: 0 0 1px;\n}\n\n@media (min-width: 768px) {\n .scoped-bootstrap .navbar-static-top {\n border-radius: 0;\n }\n}\n\n.scoped-bootstrap .navbar-fixed-top,\n.scoped-bootstrap .navbar-fixed-bottom {\n position: fixed;\n right: 0;\n left: 0;\n z-index: 1030;\n}\n\n@media (min-width: 768px) {\n .scoped-bootstrap .navbar-fixed-top,\n .scoped-bootstrap .navbar-fixed-bottom {\n border-radius: 0;\n }\n}\n\n.scoped-bootstrap .navbar-fixed-top {\n top: 0;\n border-width: 0 0 1px;\n}\n\n.scoped-bootstrap .navbar-fixed-bottom {\n bottom: 0;\n margin-bottom: 0;\n border-width: 1px 0 0;\n}\n\n.scoped-bootstrap .navbar-brand {\n float: left;\n height: 50px;\n padding: 15px 15px;\n font-size: 18px;\n line-height: 20px;\n}\n\n.scoped-bootstrap .navbar-brand:hover,\n.scoped-bootstrap .navbar-brand:focus {\n text-decoration: none;\n}\n\n.scoped-bootstrap .navbar-brand > img {\n display: block;\n}\n\n@media (min-width: 768px) {\n .scoped-bootstrap .navbar > .container .navbar-brand,\n .scoped-bootstrap .navbar > .container-fluid .navbar-brand {\n margin-left: -15px;\n }\n}\n\n.scoped-bootstrap .navbar-toggle {\n position: relative;\n float: right;\n padding: 9px 10px;\n margin-top: 8px;\n margin-right: 15px;\n margin-bottom: 8px;\n background-color: transparent;\n background-image: none;\n border: 1px solid transparent;\n border-radius: 4px;\n}\n\n.scoped-bootstrap .navbar-toggle:focus {\n outline: 0;\n}\n\n.scoped-bootstrap .navbar-toggle .icon-bar {\n display: block;\n width: 22px;\n height: 2px;\n border-radius: 1px;\n}\n\n.scoped-bootstrap .navbar-toggle .icon-bar + .icon-bar {\n margin-top: 4px;\n}\n\n@media (min-width: 768px) {\n .scoped-bootstrap .navbar-toggle {\n display: none;\n }\n}\n\n.scoped-bootstrap .navbar-nav {\n margin: 7.5px -15px;\n}\n\n.scoped-bootstrap .navbar-nav > li > a {\n padding-top: 10px;\n padding-bottom: 10px;\n line-height: 20px;\n}\n\n@media (max-width: 767px) {\n .scoped-bootstrap .navbar-nav .open .dropdown-menu {\n position: static;\n float: none;\n width: auto;\n margin-top: 0;\n background-color: transparent;\n border: 0;\n -webkit-box-shadow: none;\n box-shadow: none;\n }\n\n .scoped-bootstrap .navbar-nav .open .dropdown-menu > li > a,\n .scoped-bootstrap .navbar-nav .open .dropdown-menu .dropdown-header {\n padding: 5px 15px 5px 25px;\n }\n\n .scoped-bootstrap .navbar-nav .open .dropdown-menu > li > a {\n line-height: 20px;\n }\n\n .scoped-bootstrap .navbar-nav .open .dropdown-menu > li > a:hover,\n .scoped-bootstrap .navbar-nav .open .dropdown-menu > li > a:focus {\n background-image: none;\n }\n}\n\n@media (min-width: 768px) {\n .scoped-bootstrap .navbar-nav {\n float: left;\n margin: 0;\n }\n\n .scoped-bootstrap .navbar-nav > li {\n float: left;\n }\n\n .scoped-bootstrap .navbar-nav > li > a {\n padding-top: 15px;\n padding-bottom: 15px;\n }\n}\n\n.scoped-bootstrap .navbar-form {\n padding: 10px 15px;\n margin-top: 8px;\n margin-right: -15px;\n margin-bottom: 8px;\n margin-left: -15px;\n border-top: 1px solid transparent;\n border-bottom: 1px solid transparent;\n -webkit-box-shadow: inset 0 1px 0 rgba(255, 255, 255, .1), 0 1px 0 rgba(255, 255, 255, .1);\n box-shadow: inset 0 1px 0 rgba(255, 255, 255, .1), 0 1px 0 rgba(255, 255, 255, .1);\n}\n\n@media (min-width: 768px) {\n .scoped-bootstrap .navbar-form .form-group {\n display: inline-block;\n margin-bottom: 0;\n vertical-align: middle;\n }\n\n .scoped-bootstrap .navbar-form .form-control {\n display: inline-block;\n width: auto;\n vertical-align: middle;\n }\n\n .scoped-bootstrap .navbar-form .form-control-static {\n display: inline-block;\n }\n\n .scoped-bootstrap .navbar-form .input-group {\n display: inline-table;\n vertical-align: middle;\n }\n\n .scoped-bootstrap .navbar-form .input-group .input-group-addon,\n .scoped-bootstrap .navbar-form .input-group .input-group-btn,\n .scoped-bootstrap .navbar-form .input-group .form-control {\n width: auto;\n }\n\n .scoped-bootstrap .navbar-form .input-group > .form-control {\n width: 100%;\n }\n\n .scoped-bootstrap .navbar-form .control-label {\n margin-bottom: 0;\n vertical-align: middle;\n }\n\n .scoped-bootstrap .navbar-form .radio,\n .scoped-bootstrap .navbar-form .checkbox {\n display: inline-block;\n margin-top: 0;\n margin-bottom: 0;\n vertical-align: middle;\n }\n\n .scoped-bootstrap .navbar-form .radio label,\n .scoped-bootstrap .navbar-form .checkbox label {\n padding-left: 0;\n }\n\n .scoped-bootstrap .navbar-form .radio input[type="radio"],\n .scoped-bootstrap .navbar-form .checkbox input[type="checkbox"] {\n position: relative;\n margin-left: 0;\n }\n\n .scoped-bootstrap .navbar-form .has-feedback .form-control-feedback {\n top: 0;\n }\n}\n\n@media (max-width: 767px) {\n .scoped-bootstrap .navbar-form .form-group {\n margin-bottom: 5px;\n }\n\n .scoped-bootstrap .navbar-form .form-group:last-child {\n margin-bottom: 0;\n }\n}\n\n@media (min-width: 768px) {\n .scoped-bootstrap .navbar-form {\n width: auto;\n padding-top: 0;\n padding-bottom: 0;\n margin-right: 0;\n margin-left: 0;\n border: 0;\n -webkit-box-shadow: none;\n box-shadow: none;\n }\n}\n\n.scoped-bootstrap .navbar-nav > li > .dropdown-menu {\n margin-top: 0;\n border-top-left-radius: 0;\n border-top-right-radius: 0;\n}\n\n.scoped-bootstrap .navbar-fixed-bottom .navbar-nav > li > .dropdown-menu {\n margin-bottom: 0;\n border-top-left-radius: 4px;\n border-top-right-radius: 4px;\n border-bottom-right-radius: 0;\n border-bottom-left-radius: 0;\n}\n\n.scoped-bootstrap .navbar-btn {\n margin-top: 8px;\n margin-bottom: 8px;\n}\n\n.scoped-bootstrap .navbar-btn.btn-sm {\n margin-top: 10px;\n margin-bottom: 10px;\n}\n\n.scoped-bootstrap .navbar-btn.btn-xs {\n margin-top: 14px;\n margin-bottom: 14px;\n}\n\n.scoped-bootstrap .navbar-text {\n margin-top: 15px;\n margin-bottom: 15px;\n}\n\n@media (min-width: 768px) {\n .scoped-bootstrap .navbar-text {\n float: left;\n margin-right: 15px;\n margin-left: 15px;\n }\n}\n\n@media (min-width: 768px) {\n .scoped-bootstrap .navbar-left {\n float: left !important;\n }\n\n .scoped-bootstrap .navbar-right {\n float: right !important;\n margin-right: -15px;\n }\n\n .scoped-bootstrap .navbar-right ~ .navbar-right {\n margin-right: 0;\n }\n}\n\n.scoped-bootstrap .navbar-default {\n background-color: #f8f8f8;\n border-color: #e7e7e7;\n}\n\n.scoped-bootstrap .navbar-default .navbar-brand {\n color: #777;\n}\n\n.scoped-bootstrap .navbar-default .navbar-brand:hover,\n.scoped-bootstrap .navbar-default .navbar-brand:focus {\n color: #5e5e5e;\n background-color: transparent;\n}\n\n.scoped-bootstrap .navbar-default .navbar-text {\n color: #777;\n}\n\n.scoped-bootstrap .navbar-default .navbar-nav > li > a {\n color: #777;\n}\n\n.scoped-bootstrap .navbar-default .navbar-nav > li > a:hover,\n.scoped-bootstrap .navbar-default .navbar-nav > li > a:focus {\n color: #333;\n background-color: transparent;\n}\n\n.scoped-bootstrap .navbar-default .navbar-nav > .active > a,\n.scoped-bootstrap .navbar-default .navbar-nav > .active > a:hover,\n.scoped-bootstrap .navbar-default .navbar-nav > .active > a:focus {\n color: #555;\n background-color: #e7e7e7;\n}\n\n.scoped-bootstrap .navbar-default .navbar-nav > .disabled > a,\n.scoped-bootstrap .navbar-default .navbar-nav > .disabled > a:hover,\n.scoped-bootstrap .navbar-default .navbar-nav > .disabled > a:focus {\n color: #ccc;\n background-color: transparent;\n}\n\n.scoped-bootstrap .navbar-default .navbar-toggle {\n border-color: #ddd;\n}\n\n.scoped-bootstrap .navbar-default .navbar-toggle:hover,\n.scoped-bootstrap .navbar-default .navbar-toggle:focus {\n background-color: #ddd;\n}\n\n.scoped-bootstrap .navbar-default .navbar-toggle .icon-bar {\n background-color: #888;\n}\n\n.scoped-bootstrap .navbar-default .navbar-collapse,\n.scoped-bootstrap .navbar-default .navbar-form {\n border-color: #e7e7e7;\n}\n\n.scoped-bootstrap .navbar-default .navbar-nav > .open > a,\n.scoped-bootstrap .navbar-default .navbar-nav > .open > a:hover,\n.scoped-bootstrap .navbar-default .navbar-nav > .open > a:focus {\n color: #555;\n background-color: #e7e7e7;\n}\n\n@media (max-width: 767px) {\n .scoped-bootstrap .navbar-default .navbar-nav .open .dropdown-menu > li > a {\n color: #777;\n }\n\n .scoped-bootstrap .navbar-default .navbar-nav .open .dropdown-menu > li > a:hover,\n .scoped-bootstrap .navbar-default .navbar-nav .open .dropdown-menu > li > a:focus {\n color: #333;\n background-color: transparent;\n }\n\n .scoped-bootstrap .navbar-default .navbar-nav .open .dropdown-menu > .active > a,\n .scoped-bootstrap .navbar-default .navbar-nav .open .dropdown-menu > .active > a:hover,\n .scoped-bootstrap .navbar-default .navbar-nav .open .dropdown-menu > .active > a:focus {\n color: #555;\n background-color: #e7e7e7;\n }\n\n .scoped-bootstrap .navbar-default .navbar-nav .open .dropdown-menu > .disabled > a,\n .scoped-bootstrap .navbar-default .navbar-nav .open .dropdown-menu > .disabled > a:hover,\n .scoped-bootstrap .navbar-default .navbar-nav .open .dropdown-menu > .disabled > a:focus {\n color: #ccc;\n background-color: transparent;\n }\n}\n\n.scoped-bootstrap .navbar-default .navbar-link {\n color: #777;\n}\n\n.scoped-bootstrap .navbar-default .navbar-link:hover {\n color: #333;\n}\n\n.scoped-bootstrap .navbar-default .btn-link {\n color: #777;\n}\n\n.scoped-bootstrap .navbar-default .btn-link:hover,\n.scoped-bootstrap .navbar-default .btn-link:focus {\n color: #333;\n}\n\n.scoped-bootstrap .navbar-default .btn-link[disabled]:hover,\n.scoped-bootstrap fieldset[disabled] .navbar-default .btn-link:hover,\n.scoped-bootstrap .navbar-default .btn-link[disabled]:focus,\n.scoped-bootstrap fieldset[disabled] .navbar-default .btn-link:focus {\n color: #ccc;\n}\n\n.scoped-bootstrap .navbar-inverse {\n background-color: #222;\n border-color: #080808;\n}\n\n.scoped-bootstrap .navbar-inverse .navbar-brand {\n color: #9d9d9d;\n}\n\n.scoped-bootstrap .navbar-inverse .navbar-brand:hover,\n.scoped-bootstrap .navbar-inverse .navbar-brand:focus {\n color: #fff;\n background-color: transparent;\n}\n\n.scoped-bootstrap .navbar-inverse .navbar-text {\n color: #9d9d9d;\n}\n\n.scoped-bootstrap .navbar-inverse .navbar-nav > li > a {\n color: #9d9d9d;\n}\n\n.scoped-bootstrap .navbar-inverse .navbar-nav > li > a:hover,\n.scoped-bootstrap .navbar-inverse .navbar-nav > li > a:focus {\n color: #fff;\n background-color: transparent;\n}\n\n.scoped-bootstrap .navbar-inverse .navbar-nav > .active > a,\n.scoped-bootstrap .navbar-inverse .navbar-nav > .active > a:hover,\n.scoped-bootstrap .navbar-inverse .navbar-nav > .active > a:focus {\n color: #fff;\n background-color: #080808;\n}\n\n.scoped-bootstrap .navbar-inverse .navbar-nav > .disabled > a,\n.scoped-bootstrap .navbar-inverse .navbar-nav > .disabled > a:hover,\n.scoped-bootstrap .navbar-inverse .navbar-nav > .disabled > a:focus {\n color: #444;\n background-color: transparent;\n}\n\n.scoped-bootstrap .navbar-inverse .navbar-toggle {\n border-color: #333;\n}\n\n.scoped-bootstrap .navbar-inverse .navbar-toggle:hover,\n.scoped-bootstrap .navbar-inverse .navbar-toggle:focus {\n background-color: #333;\n}\n\n.scoped-bootstrap .navbar-inverse .navbar-toggle .icon-bar {\n background-color: #fff;\n}\n\n.scoped-bootstrap .navbar-inverse .navbar-collapse,\n.scoped-bootstrap .navbar-inverse .navbar-form {\n border-color: #101010;\n}\n\n.scoped-bootstrap .navbar-inverse .navbar-nav > .open > a,\n.scoped-bootstrap .navbar-inverse .navbar-nav > .open > a:hover,\n.scoped-bootstrap .navbar-inverse .navbar-nav > .open > a:focus {\n color: #fff;\n background-color: #080808;\n}\n\n@media (max-width: 767px) {\n .scoped-bootstrap .navbar-inverse .navbar-nav .open .dropdown-menu > .dropdown-header {\n border-color: #080808;\n }\n\n .scoped-bootstrap .navbar-inverse .navbar-nav .open .dropdown-menu .divider {\n background-color: #080808;\n }\n\n .scoped-bootstrap .navbar-inverse .navbar-nav .open .dropdown-menu > li > a {\n color: #9d9d9d;\n }\n\n .scoped-bootstrap .navbar-inverse .navbar-nav .open .dropdown-menu > li > a:hover,\n .scoped-bootstrap .navbar-inverse .navbar-nav .open .dropdown-menu > li > a:focus {\n color: #fff;\n background-color: transparent;\n }\n\n .scoped-bootstrap .navbar-inverse .navbar-nav .open .dropdown-menu > .active > a,\n .scoped-bootstrap .navbar-inverse .navbar-nav .open .dropdown-menu > .active > a:hover,\n .scoped-bootstrap .navbar-inverse .navbar-nav .open .dropdown-menu > .active > a:focus {\n color: #fff;\n background-color: #080808;\n }\n\n .scoped-bootstrap .navbar-inverse .navbar-nav .open .dropdown-menu > .disabled > a,\n .scoped-bootstrap .navbar-inverse .navbar-nav .open .dropdown-menu > .disabled > a:hover,\n .scoped-bootstrap .navbar-inverse .navbar-nav .open .dropdown-menu > .disabled > a:focus {\n color: #444;\n background-color: transparent;\n }\n}\n\n.scoped-bootstrap .navbar-inverse .navbar-link {\n color: #9d9d9d;\n}\n\n.scoped-bootstrap .navbar-inverse .navbar-link:hover {\n color: #fff;\n}\n\n.scoped-bootstrap .navbar-inverse .btn-link {\n color: #9d9d9d;\n}\n\n.scoped-bootstrap .navbar-inverse .btn-link:hover,\n.scoped-bootstrap .navbar-inverse .btn-link:focus {\n color: #fff;\n}\n\n.scoped-bootstrap .navbar-inverse .btn-link[disabled]:hover,\n.scoped-bootstrap fieldset[disabled] .navbar-inverse .btn-link:hover,\n.scoped-bootstrap .navbar-inverse .btn-link[disabled]:focus,\n.scoped-bootstrap fieldset[disabled] .navbar-inverse .btn-link:focus {\n color: #444;\n}\n\n.scoped-bootstrap .breadcrumb {\n padding: 8px 15px;\n margin-bottom: 20px;\n list-style: none;\n background-color: #f5f5f5;\n border-radius: 4px;\n}\n\n.scoped-bootstrap .breadcrumb > li {\n display: inline-block;\n}\n\n.scoped-bootstrap .breadcrumb > li + li:before {\n padding: 0 5px;\n color: #ccc;\n content: "/\\A0";\n}\n\n.scoped-bootstrap .breadcrumb > .active {\n color: #777;\n}\n\n.scoped-bootstrap .pagination {\n display: inline-block;\n padding-left: 0;\n margin: 20px 0;\n border-radius: 4px;\n}\n\n.scoped-bootstrap .pagination > li {\n display: inline;\n}\n\n.scoped-bootstrap .pagination > li > a,\n.scoped-bootstrap .pagination > li > span {\n position: relative;\n float: left;\n padding: 6px 12px;\n margin-left: -1px;\n line-height: 1.42857143;\n color: #337ab7;\n text-decoration: none;\n background-color: #fff;\n border: 1px solid #ddd;\n}\n\n.scoped-bootstrap .pagination > li:first-child > a,\n.scoped-bootstrap .pagination > li:first-child > span {\n margin-left: 0;\n border-top-left-radius: 4px;\n border-bottom-left-radius: 4px;\n}\n\n.scoped-bootstrap .pagination > li:last-child > a,\n.scoped-bootstrap .pagination > li:last-child > span {\n border-top-right-radius: 4px;\n border-bottom-right-radius: 4px;\n}\n\n.scoped-bootstrap .pagination > li > a:hover,\n.scoped-bootstrap .pagination > li > span:hover,\n.scoped-bootstrap .pagination > li > a:focus,\n.scoped-bootstrap .pagination > li > span:focus {\n z-index: 2;\n color: #23527c;\n background-color: #eee;\n border-color: #ddd;\n}\n\n.scoped-bootstrap .pagination > .active > a,\n.scoped-bootstrap .pagination > .active > span,\n.scoped-bootstrap .pagination > .active > a:hover,\n.scoped-bootstrap .pagination > .active > span:hover,\n.scoped-bootstrap .pagination > .active > a:focus,\n.scoped-bootstrap .pagination > .active > span:focus {\n z-index: 3;\n color: #fff;\n cursor: default;\n background-color: #337ab7;\n border-color: #337ab7;\n}\n\n.scoped-bootstrap .pagination > .disabled > span,\n.scoped-bootstrap .pagination > .disabled > span:hover,\n.scoped-bootstrap .pagination > .disabled > span:focus,\n.scoped-bootstrap .pagination > .disabled > a,\n.scoped-bootstrap .pagination > .disabled > a:hover,\n.scoped-bootstrap .pagination > .disabled > a:focus {\n color: #777;\n cursor: not-allowed;\n background-color: #fff;\n border-color: #ddd;\n}\n\n.scoped-bootstrap .pagination-lg > li > a,\n.scoped-bootstrap .pagination-lg > li > span {\n padding: 10px 16px;\n font-size: 18px;\n line-height: 1.3333333;\n}\n\n.scoped-bootstrap .pagination-lg > li:first-child > a,\n.scoped-bootstrap .pagination-lg > li:first-child > span {\n border-top-left-radius: 6px;\n border-bottom-left-radius: 6px;\n}\n\n.scoped-bootstrap .pagination-lg > li:last-child > a,\n.scoped-bootstrap .pagination-lg > li:last-child > span {\n border-top-right-radius: 6px;\n border-bottom-right-radius: 6px;\n}\n\n.scoped-bootstrap .pagination-sm > li > a,\n.scoped-bootstrap .pagination-sm > li > span {\n padding: 5px 10px;\n font-size: 12px;\n line-height: 1.5;\n}\n\n.scoped-bootstrap .pagination-sm > li:first-child > a,\n.scoped-bootstrap .pagination-sm > li:first-child > span {\n border-top-left-radius: 3px;\n border-bottom-left-radius: 3px;\n}\n\n.scoped-bootstrap .pagination-sm > li:last-child > a,\n.scoped-bootstrap .pagination-sm > li:last-child > span {\n border-top-right-radius: 3px;\n border-bottom-right-radius: 3px;\n}\n\n.scoped-bootstrap .pager {\n padding-left: 0;\n margin: 20px 0;\n text-align: center;\n list-style: none;\n}\n\n.scoped-bootstrap .pager li {\n display: inline;\n}\n\n.scoped-bootstrap .pager li > a,\n.scoped-bootstrap .pager li > span {\n display: inline-block;\n padding: 5px 14px;\n background-color: #fff;\n border: 1px solid #ddd;\n border-radius: 15px;\n}\n\n.scoped-bootstrap .pager li > a:hover,\n.scoped-bootstrap .pager li > a:focus {\n text-decoration: none;\n background-color: #eee;\n}\n\n.scoped-bootstrap .pager .next > a,\n.scoped-bootstrap .pager .next > span {\n float: right;\n}\n\n.scoped-bootstrap .pager .previous > a,\n.scoped-bootstrap .pager .previous > span {\n float: left;\n}\n\n.scoped-bootstrap .pager .disabled > a,\n.scoped-bootstrap .pager .disabled > a:hover,\n.scoped-bootstrap .pager .disabled > a:focus,\n.scoped-bootstrap .pager .disabled > span {\n color: #777;\n cursor: not-allowed;\n background-color: #fff;\n}\n\n.scoped-bootstrap .label {\n display: inline;\n padding: .2em .6em .3em;\n font-size: 75%;\n font-weight: bold;\n line-height: 1;\n color: #fff;\n text-align: center;\n white-space: nowrap;\n vertical-align: baseline;\n border-radius: .25em;\n}\n\n.scoped-bootstrap a.label:hover,\n.scoped-bootstrap a.label:focus {\n color: #fff;\n text-decoration: none;\n cursor: pointer;\n}\n\n.scoped-bootstrap .label:empty {\n display: none;\n}\n\n.scoped-bootstrap .btn .label {\n position: relative;\n top: -1px;\n}\n\n.scoped-bootstrap .label-default {\n background-color: #777;\n}\n\n.scoped-bootstrap .label-default[href]:hover,\n.scoped-bootstrap .label-default[href]:focus {\n background-color: #5e5e5e;\n}\n\n.scoped-bootstrap .label-primary {\n background-color: #337ab7;\n}\n\n.scoped-bootstrap .label-primary[href]:hover,\n.scoped-bootstrap .label-primary[href]:focus {\n background-color: #286090;\n}\n\n.scoped-bootstrap .label-success {\n background-color: #5cb85c;\n}\n\n.scoped-bootstrap .label-success[href]:hover,\n.scoped-bootstrap .label-success[href]:focus {\n background-color: #449d44;\n}\n\n.scoped-bootstrap .label-info {\n background-color: #5bc0de;\n}\n\n.scoped-bootstrap .label-info[href]:hover,\n.scoped-bootstrap .label-info[href]:focus {\n background-color: #31b0d5;\n}\n\n.scoped-bootstrap .label-warning {\n background-color: #f0ad4e;\n}\n\n.scoped-bootstrap .label-warning[href]:hover,\n.scoped-bootstrap .label-warning[href]:focus {\n background-color: #ec971f;\n}\n\n.scoped-bootstrap .label-danger {\n background-color: #d9534f;\n}\n\n.scoped-bootstrap .label-danger[href]:hover,\n.scoped-bootstrap .label-danger[href]:focus {\n background-color: #c9302c;\n}\n\n.scoped-bootstrap .badge {\n display: inline-block;\n min-width: 10px;\n padding: 3px 7px;\n font-size: 12px;\n font-weight: bold;\n line-height: 1;\n color: #fff;\n text-align: center;\n white-space: nowrap;\n vertical-align: middle;\n background-color: #777;\n border-radius: 10px;\n}\n\n.scoped-bootstrap .badge:empty {\n display: none;\n}\n\n.scoped-bootstrap .btn .badge {\n position: relative;\n top: -1px;\n}\n\n.scoped-bootstrap .btn-xs .badge,\n.scoped-bootstrap .btn-group-xs > .btn .badge {\n top: 0;\n padding: 1px 5px;\n}\n\n.scoped-bootstrap a.badge:hover,\n.scoped-bootstrap a.badge:focus {\n color: #fff;\n text-decoration: none;\n cursor: pointer;\n}\n\n.scoped-bootstrap .list-group-item.active > .badge,\n.scoped-bootstrap .nav-pills > .active > a > .badge {\n color: #337ab7;\n background-color: #fff;\n}\n\n.scoped-bootstrap .list-group-item > .badge {\n float: right;\n}\n\n.scoped-bootstrap .list-group-item > .badge + .badge {\n margin-right: 5px;\n}\n\n.scoped-bootstrap .nav-pills > li > a > .badge {\n margin-left: 3px;\n}\n\n.scoped-bootstrap .jumbotron {\n padding-top: 30px;\n padding-bottom: 30px;\n margin-bottom: 30px;\n color: inherit;\n background-color: #eee;\n}\n\n.scoped-bootstrap .jumbotron h1,\n.scoped-bootstrap .jumbotron .h1 {\n color: inherit;\n}\n\n.scoped-bootstrap .jumbotron p {\n margin-bottom: 15px;\n font-size: 21px;\n font-weight: 200;\n}\n\n.scoped-bootstrap .jumbotron > hr {\n border-top-color: #d5d5d5;\n}\n\n.scoped-bootstrap .container .jumbotron,\n.scoped-bootstrap .container-fluid .jumbotron {\n padding-right: 15px;\n padding-left: 15px;\n border-radius: 6px;\n}\n\n.scoped-bootstrap .jumbotron .container {\n max-width: 100%;\n}\n\n@media screen and (min-width: 768px) {\n .scoped-bootstrap .jumbotron {\n padding-top: 48px;\n padding-bottom: 48px;\n }\n\n .scoped-bootstrap .container .jumbotron,\n .scoped-bootstrap .container-fluid .jumbotron {\n padding-right: 60px;\n padding-left: 60px;\n }\n\n .scoped-bootstrap .jumbotron h1,\n .scoped-bootstrap .jumbotron .h1 {\n font-size: 63px;\n }\n}\n\n.scoped-bootstrap .thumbnail {\n display: block;\n padding: 4px;\n margin-bottom: 20px;\n line-height: 1.42857143;\n background-color: #fff;\n border: 1px solid #ddd;\n border-radius: 4px;\n -webkit-transition: border .2s ease-in-out;\n -o-transition: border .2s ease-in-out;\n transition: border .2s ease-in-out;\n}\n\n.scoped-bootstrap .thumbnail > img,\n.scoped-bootstrap .thumbnail a > img {\n margin-right: auto;\n margin-left: auto;\n}\n\n.scoped-bootstrap a.thumbnail:hover,\n.scoped-bootstrap a.thumbnail:focus,\n.scoped-bootstrap a.thumbnail.active {\n border-color: #337ab7;\n}\n\n.scoped-bootstrap .thumbnail .caption {\n padding: 9px;\n color: #333;\n}\n\n.scoped-bootstrap .alert {\n padding: 15px;\n margin-bottom: 20px;\n border: 1px solid transparent;\n border-radius: 4px;\n}\n\n.scoped-bootstrap .alert h4 {\n margin-top: 0;\n color: inherit;\n}\n\n.scoped-bootstrap .alert .alert-link {\n font-weight: bold;\n}\n\n.scoped-bootstrap .alert > p,\n.scoped-bootstrap .alert > ul {\n margin-bottom: 0;\n}\n\n.scoped-bootstrap .alert > p + p {\n margin-top: 5px;\n}\n\n.scoped-bootstrap .alert-dismissable,\n.scoped-bootstrap .alert-dismissible {\n padding-right: 35px;\n}\n\n.scoped-bootstrap .alert-dismissable .close,\n.scoped-bootstrap .alert-dismissible .close {\n position: relative;\n top: -2px;\n right: -21px;\n color: inherit;\n}\n\n.scoped-bootstrap .alert-success {\n color: #3c763d;\n background-color: #dff0d8;\n border-color: #d6e9c6;\n}\n\n.scoped-bootstrap .alert-success hr {\n border-top-color: #c9e2b3;\n}\n\n.scoped-bootstrap .alert-success .alert-link {\n color: #2b542c;\n}\n\n.scoped-bootstrap .alert-info {\n color: #31708f;\n background-color: #d9edf7;\n border-color: #bce8f1;\n}\n\n.scoped-bootstrap .alert-info hr {\n border-top-color: #a6e1ec;\n}\n\n.scoped-bootstrap .alert-info .alert-link {\n color: #245269;\n}\n\n.scoped-bootstrap .alert-warning {\n color: #8a6d3b;\n background-color: #fcf8e3;\n border-color: #faebcc;\n}\n\n.scoped-bootstrap .alert-warning hr {\n border-top-color: #f7e1b5;\n}\n\n.scoped-bootstrap .alert-warning .alert-link {\n color: #66512c;\n}\n\n.scoped-bootstrap .alert-danger {\n color: #a94442;\n background-color: #f2dede;\n border-color: #ebccd1;\n}\n\n.scoped-bootstrap .alert-danger hr {\n border-top-color: #e4b9c0;\n}\n\n.scoped-bootstrap .alert-danger .alert-link {\n color: #843534;\n}\n\n@-webkit-keyframes progress-bar-stripes {\n from {\n background-position: 40px 0;\n }\n\n to {\n background-position: 0 0;\n }\n}\n\n@-o-keyframes progress-bar-stripes {\n from {\n background-position: 40px 0;\n }\n\n to {\n background-position: 0 0;\n }\n}\n\n@keyframes progress-bar-stripes {\n from {\n background-position: 40px 0;\n }\n\n to {\n background-position: 0 0;\n }\n}\n\n.scoped-bootstrap .progress {\n height: 20px;\n margin-bottom: 20px;\n overflow: hidden;\n background-color: #f5f5f5;\n border-radius: 4px;\n -webkit-box-shadow: inset 0 1px 2px rgba(0, 0, 0, .1);\n box-shadow: inset 0 1px 2px rgba(0, 0, 0, .1);\n}\n\n.scoped-bootstrap .progress-bar {\n float: left;\n width: 0;\n height: 100%;\n font-size: 12px;\n line-height: 20px;\n color: #fff;\n text-align: center;\n background-color: #337ab7;\n -webkit-box-shadow: inset 0 -1px 0 rgba(0, 0, 0, .15);\n box-shadow: inset 0 -1px 0 rgba(0, 0, 0, .15);\n -webkit-transition: width .6s ease;\n -o-transition: width .6s ease;\n transition: width .6s ease;\n}\n\n.scoped-bootstrap .progress-striped .progress-bar,\n.scoped-bootstrap .progress-bar-striped {\n background-image: -webkit-linear-gradient(45deg, rgba(255, 255, 255, .15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, .15) 50%, rgba(255, 255, 255, .15) 75%, transparent 75%, transparent);\n background-image: -o-linear-gradient(45deg, rgba(255, 255, 255, .15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, .15) 50%, rgba(255, 255, 255, .15) 75%, transparent 75%, transparent);\n background-image: linear-gradient(45deg, rgba(255, 255, 255, .15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, .15) 50%, rgba(255, 255, 255, .15) 75%, transparent 75%, transparent);\n -webkit-background-size: 40px 40px;\n background-size: 40px 40px;\n}\n\n.scoped-bootstrap .progress.active .progress-bar,\n.scoped-bootstrap .progress-bar.active {\n -webkit-animation: progress-bar-stripes 2s linear infinite;\n -o-animation: progress-bar-stripes 2s linear infinite;\n animation: progress-bar-stripes 2s linear infinite;\n}\n\n.scoped-bootstrap .progress-bar-success {\n background-color: #5cb85c;\n}\n\n.scoped-bootstrap .progress-striped .progress-bar-success {\n background-image: -webkit-linear-gradient(45deg, rgba(255, 255, 255, .15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, .15) 50%, rgba(255, 255, 255, .15) 75%, transparent 75%, transparent);\n background-image: -o-linear-gradient(45deg, rgba(255, 255, 255, .15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, .15) 50%, rgba(255, 255, 255, .15) 75%, transparent 75%, transparent);\n background-image: linear-gradient(45deg, rgba(255, 255, 255, .15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, .15) 50%, rgba(255, 255, 255, .15) 75%, transparent 75%, transparent);\n}\n\n.scoped-bootstrap .progress-bar-info {\n background-color: #5bc0de;\n}\n\n.scoped-bootstrap .progress-striped .progress-bar-info {\n background-image: -webkit-linear-gradient(45deg, rgba(255, 255, 255, .15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, .15) 50%, rgba(255, 255, 255, .15) 75%, transparent 75%, transparent);\n background-image: -o-linear-gradient(45deg, rgba(255, 255, 255, .15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, .15) 50%, rgba(255, 255, 255, .15) 75%, transparent 75%, transparent);\n background-image: linear-gradient(45deg, rgba(255, 255, 255, .15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, .15) 50%, rgba(255, 255, 255, .15) 75%, transparent 75%, transparent);\n}\n\n.scoped-bootstrap .progress-bar-warning {\n background-color: #f0ad4e;\n}\n\n.scoped-bootstrap .progress-striped .progress-bar-warning {\n background-image: -webkit-linear-gradient(45deg, rgba(255, 255, 255, .15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, .15) 50%, rgba(255, 255, 255, .15) 75%, transparent 75%, transparent);\n background-image: -o-linear-gradient(45deg, rgba(255, 255, 255, .15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, .15) 50%, rgba(255, 255, 255, .15) 75%, transparent 75%, transparent);\n background-image: linear-gradient(45deg, rgba(255, 255, 255, .15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, .15) 50%, rgba(255, 255, 255, .15) 75%, transparent 75%, transparent);\n}\n\n.scoped-bootstrap .progress-bar-danger {\n background-color: #d9534f;\n}\n\n.scoped-bootstrap .progress-striped .progress-bar-danger {\n background-image: -webkit-linear-gradient(45deg, rgba(255, 255, 255, .15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, .15) 50%, rgba(255, 255, 255, .15) 75%, transparent 75%, transparent);\n background-image: -o-linear-gradient(45deg, rgba(255, 255, 255, .15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, .15) 50%, rgba(255, 255, 255, .15) 75%, transparent 75%, transparent);\n background-image: linear-gradient(45deg, rgba(255, 255, 255, .15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, .15) 50%, rgba(255, 255, 255, .15) 75%, transparent 75%, transparent);\n}\n\n.scoped-bootstrap .media {\n margin-top: 15px;\n}\n\n.scoped-bootstrap .media:first-child {\n margin-top: 0;\n}\n\n.scoped-bootstrap .media,\n.scoped-bootstrap .media-body {\n overflow: hidden;\n zoom: 1;\n}\n\n.scoped-bootstrap .media-body {\n width: 10000px;\n}\n\n.scoped-bootstrap .media-object {\n display: block;\n}\n\n.scoped-bootstrap .media-object.img-thumbnail {\n max-width: none;\n}\n\n.scoped-bootstrap .media-right,\n.scoped-bootstrap .media > .pull-right {\n padding-left: 10px;\n}\n\n.scoped-bootstrap .media-left,\n.scoped-bootstrap .media > .pull-left {\n padding-right: 10px;\n}\n\n.scoped-bootstrap .media-left,\n.scoped-bootstrap .media-right,\n.scoped-bootstrap .media-body {\n display: table-cell;\n vertical-align: top;\n}\n\n.scoped-bootstrap .media-middle {\n vertical-align: middle;\n}\n\n.scoped-bootstrap .media-bottom {\n vertical-align: bottom;\n}\n\n.scoped-bootstrap .media-heading {\n margin-top: 0;\n margin-bottom: 5px;\n}\n\n.scoped-bootstrap .media-list {\n padding-left: 0;\n list-style: none;\n}\n\n.scoped-bootstrap .list-group {\n padding-left: 0;\n margin-bottom: 20px;\n}\n\n.scoped-bootstrap .list-group-item {\n position: relative;\n display: block;\n padding: 10px 15px;\n margin-bottom: -1px;\n background-color: #fff;\n border: 1px solid #ddd;\n}\n\n.scoped-bootstrap .list-group-item:first-child {\n border-top-left-radius: 4px;\n border-top-right-radius: 4px;\n}\n\n.scoped-bootstrap .list-group-item:last-child {\n margin-bottom: 0;\n border-bottom-right-radius: 4px;\n border-bottom-left-radius: 4px;\n}\n\n.scoped-bootstrap a.list-group-item,\n.scoped-bootstrap button.list-group-item {\n color: #555;\n}\n\n.scoped-bootstrap a.list-group-item .list-group-item-heading,\n.scoped-bootstrap button.list-group-item .list-group-item-heading {\n color: #333;\n}\n\n.scoped-bootstrap a.list-group-item:hover,\n.scoped-bootstrap button.list-group-item:hover,\n.scoped-bootstrap a.list-group-item:focus,\n.scoped-bootstrap button.list-group-item:focus {\n color: #555;\n text-decoration: none;\n background-color: #f5f5f5;\n}\n\n.scoped-bootstrap button.list-group-item {\n width: 100%;\n text-align: left;\n}\n\n.scoped-bootstrap .list-group-item.disabled,\n.scoped-bootstrap .list-group-item.disabled:hover,\n.scoped-bootstrap .list-group-item.disabled:focus {\n color: #777;\n cursor: not-allowed;\n background-color: #eee;\n}\n\n.scoped-bootstrap .list-group-item.disabled .list-group-item-heading,\n.scoped-bootstrap .list-group-item.disabled:hover .list-group-item-heading,\n.scoped-bootstrap .list-group-item.disabled:focus .list-group-item-heading {\n color: inherit;\n}\n\n.scoped-bootstrap .list-group-item.disabled .list-group-item-text,\n.scoped-bootstrap .list-group-item.disabled:hover .list-group-item-text,\n.scoped-bootstrap .list-group-item.disabled:focus .list-group-item-text {\n color: #777;\n}\n\n.scoped-bootstrap .list-group-item.active,\n.scoped-bootstrap .list-group-item.active:hover,\n.scoped-bootstrap .list-group-item.active:focus {\n z-index: 2;\n color: #fff;\n background-color: #337ab7;\n border-color: #337ab7;\n}\n\n.scoped-bootstrap .list-group-item.active .list-group-item-heading,\n.scoped-bootstrap .list-group-item.active:hover .list-group-item-heading,\n.scoped-bootstrap .list-group-item.active:focus .list-group-item-heading,\n.scoped-bootstrap .list-group-item.active .list-group-item-heading > small,\n.scoped-bootstrap .list-group-item.active:hover .list-group-item-heading > small,\n.scoped-bootstrap .list-group-item.active:focus .list-group-item-heading > small,\n.scoped-bootstrap .list-group-item.active .list-group-item-heading > .small,\n.scoped-bootstrap .list-group-item.active:hover .list-group-item-heading > .small,\n.scoped-bootstrap .list-group-item.active:focus .list-group-item-heading > .small {\n color: inherit;\n}\n\n.scoped-bootstrap .list-group-item.active .list-group-item-text,\n.scoped-bootstrap .list-group-item.active:hover .list-group-item-text,\n.scoped-bootstrap .list-group-item.active:focus .list-group-item-text {\n color: #c7ddef;\n}\n\n.scoped-bootstrap .list-group-item-success {\n color: #3c763d;\n background-color: #dff0d8;\n}\n\n.scoped-bootstrap a.list-group-item-success,\n.scoped-bootstrap button.list-group-item-success {\n color: #3c763d;\n}\n\n.scoped-bootstrap a.list-group-item-success .list-group-item-heading,\n.scoped-bootstrap button.list-group-item-success .list-group-item-heading {\n color: inherit;\n}\n\n.scoped-bootstrap a.list-group-item-success:hover,\n.scoped-bootstrap button.list-group-item-success:hover,\n.scoped-bootstrap a.list-group-item-success:focus,\n.scoped-bootstrap button.list-group-item-success:focus {\n color: #3c763d;\n background-color: #d0e9c6;\n}\n\n.scoped-bootstrap a.list-group-item-success.active,\n.scoped-bootstrap button.list-group-item-success.active,\n.scoped-bootstrap a.list-group-item-success.active:hover,\n.scoped-bootstrap button.list-group-item-success.active:hover,\n.scoped-bootstrap a.list-group-item-success.active:focus,\n.scoped-bootstrap button.list-group-item-success.active:focus {\n color: #fff;\n background-color: #3c763d;\n border-color: #3c763d;\n}\n\n.scoped-bootstrap .list-group-item-info {\n color: #31708f;\n background-color: #d9edf7;\n}\n\n.scoped-bootstrap a.list-group-item-info,\n.scoped-bootstrap button.list-group-item-info {\n color: #31708f;\n}\n\n.scoped-bootstrap a.list-group-item-info .list-group-item-heading,\n.scoped-bootstrap button.list-group-item-info .list-group-item-heading {\n color: inherit;\n}\n\n.scoped-bootstrap a.list-group-item-info:hover,\n.scoped-bootstrap button.list-group-item-info:hover,\n.scoped-bootstrap a.list-group-item-info:focus,\n.scoped-bootstrap button.list-group-item-info:focus {\n color: #31708f;\n background-color: #c4e3f3;\n}\n\n.scoped-bootstrap a.list-group-item-info.active,\n.scoped-bootstrap button.list-group-item-info.active,\n.scoped-bootstrap a.list-group-item-info.active:hover,\n.scoped-bootstrap button.list-group-item-info.active:hover,\n.scoped-bootstrap a.list-group-item-info.active:focus,\n.scoped-bootstrap button.list-group-item-info.active:focus {\n color: #fff;\n background-color: #31708f;\n border-color: #31708f;\n}\n\n.scoped-bootstrap .list-group-item-warning {\n color: #8a6d3b;\n background-color: #fcf8e3;\n}\n\n.scoped-bootstrap a.list-group-item-warning,\n.scoped-bootstrap button.list-group-item-warning {\n color: #8a6d3b;\n}\n\n.scoped-bootstrap a.list-group-item-warning .list-group-item-heading,\n.scoped-bootstrap button.list-group-item-warning .list-group-item-heading {\n color: inherit;\n}\n\n.scoped-bootstrap a.list-group-item-warning:hover,\n.scoped-bootstrap button.list-group-item-warning:hover,\n.scoped-bootstrap a.list-group-item-warning:focus,\n.scoped-bootstrap button.list-group-item-warning:focus {\n color: #8a6d3b;\n background-color: #faf2cc;\n}\n\n.scoped-bootstrap a.list-group-item-warning.active,\n.scoped-bootstrap button.list-group-item-warning.active,\n.scoped-bootstrap a.list-group-item-warning.active:hover,\n.scoped-bootstrap button.list-group-item-warning.active:hover,\n.scoped-bootstrap a.list-group-item-warning.active:focus,\n.scoped-bootstrap button.list-group-item-warning.active:focus {\n color: #fff;\n background-color: #8a6d3b;\n border-color: #8a6d3b;\n}\n\n.scoped-bootstrap .list-group-item-danger {\n color: #a94442;\n background-color: #f2dede;\n}\n\n.scoped-bootstrap a.list-group-item-danger,\n.scoped-bootstrap button.list-group-item-danger {\n color: #a94442;\n}\n\n.scoped-bootstrap a.list-group-item-danger .list-group-item-heading,\n.scoped-bootstrap button.list-group-item-danger .list-group-item-heading {\n color: inherit;\n}\n\n.scoped-bootstrap a.list-group-item-danger:hover,\n.scoped-bootstrap button.list-group-item-danger:hover,\n.scoped-bootstrap a.list-group-item-danger:focus,\n.scoped-bootstrap button.list-group-item-danger:focus {\n color: #a94442;\n background-color: #ebcccc;\n}\n\n.scoped-bootstrap a.list-group-item-danger.active,\n.scoped-bootstrap button.list-group-item-danger.active,\n.scoped-bootstrap a.list-group-item-danger.active:hover,\n.scoped-bootstrap button.list-group-item-danger.active:hover,\n.scoped-bootstrap a.list-group-item-danger.active:focus,\n.scoped-bootstrap button.list-group-item-danger.active:focus {\n color: #fff;\n background-color: #a94442;\n border-color: #a94442;\n}\n\n.scoped-bootstrap .list-group-item-heading {\n margin-top: 0;\n margin-bottom: 5px;\n}\n\n.scoped-bootstrap .list-group-item-text {\n margin-bottom: 0;\n line-height: 1.3;\n}\n\n.scoped-bootstrap .panel {\n margin-bottom: 20px;\n background-color: #fff;\n border: 1px solid transparent;\n border-radius: 4px;\n -webkit-box-shadow: 0 1px 1px rgba(0, 0, 0, .05);\n box-shadow: 0 1px 1px rgba(0, 0, 0, .05);\n}\n\n.scoped-bootstrap .panel-body {\n padding: 15px;\n}\n\n.scoped-bootstrap .panel-heading {\n padding: 10px 15px;\n border-bottom: 1px solid transparent;\n border-top-left-radius: 3px;\n border-top-right-radius: 3px;\n}\n\n.scoped-bootstrap .panel-heading > .dropdown .dropdown-toggle {\n color: inherit;\n}\n\n.scoped-bootstrap .panel-title {\n margin-top: 0;\n margin-bottom: 0;\n font-size: 16px;\n color: inherit;\n}\n\n.scoped-bootstrap .panel-title > a,\n.scoped-bootstrap .panel-title > small,\n.scoped-bootstrap .panel-title > .small,\n.scoped-bootstrap .panel-title > small > a,\n.scoped-bootstrap .panel-title > .small > a {\n color: inherit;\n}\n\n.scoped-bootstrap .panel-footer {\n padding: 10px 15px;\n background-color: #f5f5f5;\n border-top: 1px solid #ddd;\n border-bottom-right-radius: 3px;\n border-bottom-left-radius: 3px;\n}\n\n.scoped-bootstrap .panel > .list-group,\n.scoped-bootstrap .panel > .panel-collapse > .list-group {\n margin-bottom: 0;\n}\n\n.scoped-bootstrap .panel > .list-group .list-group-item,\n.scoped-bootstrap .panel > .panel-collapse > .list-group .list-group-item {\n border-width: 1px 0;\n border-radius: 0;\n}\n\n.scoped-bootstrap .panel > .list-group:first-child .list-group-item:first-child,\n.scoped-bootstrap .panel > .panel-collapse > .list-group:first-child .list-group-item:first-child {\n border-top: 0;\n border-top-left-radius: 3px;\n border-top-right-radius: 3px;\n}\n\n.scoped-bootstrap .panel > .list-group:last-child .list-group-item:last-child,\n.scoped-bootstrap .panel > .panel-collapse > .list-group:last-child .list-group-item:last-child {\n border-bottom: 0;\n border-bottom-right-radius: 3px;\n border-bottom-left-radius: 3px;\n}\n\n.scoped-bootstrap .panel > .panel-heading + .panel-collapse > .list-group .list-group-item:first-child {\n border-top-left-radius: 0;\n border-top-right-radius: 0;\n}\n\n.scoped-bootstrap .panel-heading + .list-group .list-group-item:first-child {\n border-top-width: 0;\n}\n\n.scoped-bootstrap .list-group + .panel-footer {\n border-top-width: 0;\n}\n\n.scoped-bootstrap .panel > .table,\n.scoped-bootstrap .panel > .table-responsive > .table,\n.scoped-bootstrap .panel > .panel-collapse > .table {\n margin-bottom: 0;\n}\n\n.scoped-bootstrap .panel > .table caption,\n.scoped-bootstrap .panel > .table-responsive > .table caption,\n.scoped-bootstrap .panel > .panel-collapse > .table caption {\n padding-right: 15px;\n padding-left: 15px;\n}\n\n.scoped-bootstrap .panel > .table:first-child,\n.scoped-bootstrap .panel > .table-responsive:first-child > .table:first-child {\n border-top-left-radius: 3px;\n border-top-right-radius: 3px;\n}\n\n.scoped-bootstrap .panel > .table:first-child > thead:first-child > tr:first-child,\n.scoped-bootstrap .panel > .table-responsive:first-child > .table:first-child > thead:first-child > tr:first-child,\n.scoped-bootstrap .panel > .table:first-child > tbody:first-child > tr:first-child,\n.scoped-bootstrap .panel > .table-responsive:first-child > .table:first-child > tbody:first-child > tr:first-child {\n border-top-left-radius: 3px;\n border-top-right-radius: 3px;\n}\n\n.scoped-bootstrap .panel > .table:first-child > thead:first-child > tr:first-child td:first-child,\n.scoped-bootstrap .panel > .table-responsive:first-child > .table:first-child > thead:first-child > tr:first-child td:first-child,\n.scoped-bootstrap .panel > .table:first-child > tbody:first-child > tr:first-child td:first-child,\n.scoped-bootstrap .panel > .table-responsive:first-child > .table:first-child > tbody:first-child > tr:first-child td:first-child,\n.scoped-bootstrap .panel > .table:first-child > thead:first-child > tr:first-child th:first-child,\n.scoped-bootstrap .panel > .table-responsive:first-child > .table:first-child > thead:first-child > tr:first-child th:first-child,\n.scoped-bootstrap .panel > .table:first-child > tbody:first-child > tr:first-child th:first-child,\n.scoped-bootstrap .panel > .table-responsive:first-child > .table:first-child > tbody:first-child > tr:first-child th:first-child {\n border-top-left-radius: 3px;\n}\n\n.scoped-bootstrap .panel > .table:first-child > thead:first-child > tr:first-child td:last-child,\n.scoped-bootstrap .panel > .table-responsive:first-child > .table:first-child > thead:first-child > tr:first-child td:last-child,\n.scoped-bootstrap .panel > .table:first-child > tbody:first-child > tr:first-child td:last-child,\n.scoped-bootstrap .panel > .table-responsive:first-child > .table:first-child > tbody:first-child > tr:first-child td:last-child,\n.scoped-bootstrap .panel > .table:first-child > thead:first-child > tr:first-child th:last-child,\n.scoped-bootstrap .panel > .table-responsive:first-child > .table:first-child > thead:first-child > tr:first-child th:last-child,\n.scoped-bootstrap .panel > .table:first-child > tbody:first-child > tr:first-child th:last-child,\n.scoped-bootstrap .panel > .table-responsive:first-child > .table:first-child > tbody:first-child > tr:first-child th:last-child {\n border-top-right-radius: 3px;\n}\n\n.scoped-bootstrap .panel > .table:last-child,\n.scoped-bootstrap .panel > .table-responsive:last-child > .table:last-child {\n border-bottom-right-radius: 3px;\n border-bottom-left-radius: 3px;\n}\n\n.scoped-bootstrap .panel > .table:last-child > tbody:last-child > tr:last-child,\n.scoped-bootstrap .panel > .table-responsive:last-child > .table:last-child > tbody:last-child > tr:last-child,\n.scoped-bootstrap .panel > .table:last-child > tfoot:last-child > tr:last-child,\n.scoped-bootstrap .panel > .table-responsive:last-child > .table:last-child > tfoot:last-child > tr:last-child {\n border-bottom-right-radius: 3px;\n border-bottom-left-radius: 3px;\n}\n\n.scoped-bootstrap .panel > .table:last-child > tbody:last-child > tr:last-child td:first-child,\n.scoped-bootstrap .panel > .table-responsive:last-child > .table:last-child > tbody:last-child > tr:last-child td:first-child,\n.scoped-bootstrap .panel > .table:last-child > tfoot:last-child > tr:last-child td:first-child,\n.scoped-bootstrap .panel > .table-responsive:last-child > .table:last-child > tfoot:last-child > tr:last-child td:first-child,\n.scoped-bootstrap .panel > .table:last-child > tbody:last-child > tr:last-child th:first-child,\n.scoped-bootstrap .panel > .table-responsive:last-child > .table:last-child > tbody:last-child > tr:last-child th:first-child,\n.scoped-bootstrap .panel > .table:last-child > tfoot:last-child > tr:last-child th:first-child,\n.scoped-bootstrap .panel > .table-responsive:last-child > .table:last-child > tfoot:last-child > tr:last-child th:first-child {\n border-bottom-left-radius: 3px;\n}\n\n.scoped-bootstrap .panel > .table:last-child > tbody:last-child > tr:last-child td:last-child,\n.scoped-bootstrap .panel > .table-responsive:last-child > .table:last-child > tbody:last-child > tr:last-child td:last-child,\n.scoped-bootstrap .panel > .table:last-child > tfoot:last-child > tr:last-child td:last-child,\n.scoped-bootstrap .panel > .table-responsive:last-child > .table:last-child > tfoot:last-child > tr:last-child td:last-child,\n.scoped-bootstrap .panel > .table:last-child > tbody:last-child > tr:last-child th:last-child,\n.scoped-bootstrap .panel > .table-responsive:last-child > .table:last-child > tbody:last-child > tr:last-child th:last-child,\n.scoped-bootstrap .panel > .table:last-child > tfoot:last-child > tr:last-child th:last-child,\n.scoped-bootstrap .panel > .table-responsive:last-child > .table:last-child > tfoot:last-child > tr:last-child th:last-child {\n border-bottom-right-radius: 3px;\n}\n\n.scoped-bootstrap .panel > .panel-body + .table,\n.scoped-bootstrap .panel > .panel-body + .table-responsive,\n.scoped-bootstrap .panel > .table + .panel-body,\n.scoped-bootstrap .panel > .table-responsive + .panel-body {\n border-top: 1px solid #ddd;\n}\n\n.scoped-bootstrap .panel > .table > tbody:first-child > tr:first-child th,\n.scoped-bootstrap .panel > .table > tbody:first-child > tr:first-child td {\n border-top: 0;\n}\n\n.scoped-bootstrap .panel > .table-bordered,\n.scoped-bootstrap .panel > .table-responsive > .table-bordered {\n border: 0;\n}\n\n.scoped-bootstrap .panel > .table-bordered > thead > tr > th:first-child,\n.scoped-bootstrap .panel > .table-responsive > .table-bordered > thead > tr > th:first-child,\n.scoped-bootstrap .panel > .table-bordered > tbody > tr > th:first-child,\n.scoped-bootstrap .panel > .table-responsive > .table-bordered > tbody > tr > th:first-child,\n.scoped-bootstrap .panel > .table-bordered > tfoot > tr > th:first-child,\n.scoped-bootstrap .panel > .table-responsive > .table-bordered > tfoot > tr > th:first-child,\n.scoped-bootstrap .panel > .table-bordered > thead > tr > td:first-child,\n.scoped-bootstrap .panel > .table-responsive > .table-bordered > thead > tr > td:first-child,\n.scoped-bootstrap .panel > .table-bordered > tbody > tr > td:first-child,\n.scoped-bootstrap .panel > .table-responsive > .table-bordered > tbody > tr > td:first-child,\n.scoped-bootstrap .panel > .table-bordered > tfoot > tr > td:first-child,\n.scoped-bootstrap .panel > .table-responsive > .table-bordered > tfoot > tr > td:first-child {\n border-left: 0;\n}\n\n.scoped-bootstrap .panel > .table-bordered > thead > tr > th:last-child,\n.scoped-bootstrap .panel > .table-responsive > .table-bordered > thead > tr > th:last-child,\n.scoped-bootstrap .panel > .table-bordered > tbody > tr > th:last-child,\n.scoped-bootstrap .panel > .table-responsive > .table-bordered > tbody > tr > th:last-child,\n.scoped-bootstrap .panel > .table-bordered > tfoot > tr > th:last-child,\n.scoped-bootstrap .panel > .table-responsive > .table-bordered > tfoot > tr > th:last-child,\n.scoped-bootstrap .panel > .table-bordered > thead > tr > td:last-child,\n.scoped-bootstrap .panel > .table-responsive > .table-bordered > thead > tr > td:last-child,\n.scoped-bootstrap .panel > .table-bordered > tbody > tr > td:last-child,\n.scoped-bootstrap .panel > .table-responsive > .table-bordered > tbody > tr > td:last-child,\n.scoped-bootstrap .panel > .table-bordered > tfoot > tr > td:last-child,\n.scoped-bootstrap .panel > .table-responsive > .table-bordered > tfoot > tr > td:last-child {\n border-right: 0;\n}\n\n.scoped-bootstrap .panel > .table-bordered > thead > tr:first-child > td,\n.scoped-bootstrap .panel > .table-responsive > .table-bordered > thead > tr:first-child > td,\n.scoped-bootstrap .panel > .table-bordered > tbody > tr:first-child > td,\n.scoped-bootstrap .panel > .table-responsive > .table-bordered > tbody > tr:first-child > td,\n.scoped-bootstrap .panel > .table-bordered > thead > tr:first-child > th,\n.scoped-bootstrap .panel > .table-responsive > .table-bordered > thead > tr:first-child > th,\n.scoped-bootstrap .panel > .table-bordered > tbody > tr:first-child > th,\n.scoped-bootstrap .panel > .table-responsive > .table-bordered > tbody > tr:first-child > th {\n border-bottom: 0;\n}\n\n.scoped-bootstrap .panel > .table-bordered > tbody > tr:last-child > td,\n.scoped-bootstrap .panel > .table-responsive > .table-bordered > tbody > tr:last-child > td,\n.scoped-bootstrap .panel > .table-bordered > tfoot > tr:last-child > td,\n.scoped-bootstrap .panel > .table-responsive > .table-bordered > tfoot > tr:last-child > td,\n.scoped-bootstrap .panel > .table-bordered > tbody > tr:last-child > th,\n.scoped-bootstrap .panel > .table-responsive > .table-bordered > tbody > tr:last-child > th,\n.scoped-bootstrap .panel > .table-bordered > tfoot > tr:last-child > th,\n.scoped-bootstrap .panel > .table-responsive > .table-bordered > tfoot > tr:last-child > th {\n border-bottom: 0;\n}\n\n.scoped-bootstrap .panel > .table-responsive {\n margin-bottom: 0;\n border: 0;\n}\n\n.scoped-bootstrap .panel-group {\n margin-bottom: 20px;\n}\n\n.scoped-bootstrap .panel-group .panel {\n margin-bottom: 0;\n border-radius: 4px;\n}\n\n.scoped-bootstrap .panel-group .panel + .panel {\n margin-top: 5px;\n}\n\n.scoped-bootstrap .panel-group .panel-heading {\n border-bottom: 0;\n}\n\n.scoped-bootstrap .panel-group .panel-heading + .panel-collapse > .panel-body,\n.scoped-bootstrap .panel-group .panel-heading + .panel-collapse > .list-group {\n border-top: 1px solid #ddd;\n}\n\n.scoped-bootstrap .panel-group .panel-footer {\n border-top: 0;\n}\n\n.scoped-bootstrap .panel-group .panel-footer + .panel-collapse .panel-body {\n border-bottom: 1px solid #ddd;\n}\n\n.scoped-bootstrap .panel-default {\n border-color: #ddd;\n}\n\n.scoped-bootstrap .panel-default > .panel-heading {\n color: #333;\n background-color: #f5f5f5;\n border-color: #ddd;\n}\n\n.scoped-bootstrap .panel-default > .panel-heading + .panel-collapse > .panel-body {\n border-top-color: #ddd;\n}\n\n.scoped-bootstrap .panel-default > .panel-heading .badge {\n color: #f5f5f5;\n background-color: #333;\n}\n\n.scoped-bootstrap .panel-default > .panel-footer + .panel-collapse > .panel-body {\n border-bottom-color: #ddd;\n}\n\n.scoped-bootstrap .panel-primary {\n border-color: #337ab7;\n}\n\n.scoped-bootstrap .panel-primary > .panel-heading {\n color: #fff;\n background-color: #337ab7;\n border-color: #337ab7;\n}\n\n.scoped-bootstrap .panel-primary > .panel-heading + .panel-collapse > .panel-body {\n border-top-color: #337ab7;\n}\n\n.scoped-bootstrap .panel-primary > .panel-heading .badge {\n color: #337ab7;\n background-color: #fff;\n}\n\n.scoped-bootstrap .panel-primary > .panel-footer + .panel-collapse > .panel-body {\n border-bottom-color: #337ab7;\n}\n\n.scoped-bootstrap .panel-success {\n border-color: #d6e9c6;\n}\n\n.scoped-bootstrap .panel-success > .panel-heading {\n color: #3c763d;\n background-color: #dff0d8;\n border-color: #d6e9c6;\n}\n\n.scoped-bootstrap .panel-success > .panel-heading + .panel-collapse > .panel-body {\n border-top-color: #d6e9c6;\n}\n\n.scoped-bootstrap .panel-success > .panel-heading .badge {\n color: #dff0d8;\n background-color: #3c763d;\n}\n\n.scoped-bootstrap .panel-success > .panel-footer + .panel-collapse > .panel-body {\n border-bottom-color: #d6e9c6;\n}\n\n.scoped-bootstrap .panel-info {\n border-color: #bce8f1;\n}\n\n.scoped-bootstrap .panel-info > .panel-heading {\n color: #31708f;\n background-color: #d9edf7;\n border-color: #bce8f1;\n}\n\n.scoped-bootstrap .panel-info > .panel-heading + .panel-collapse > .panel-body {\n border-top-color: #bce8f1;\n}\n\n.scoped-bootstrap .panel-info > .panel-heading .badge {\n color: #d9edf7;\n background-color: #31708f;\n}\n\n.scoped-bootstrap .panel-info > .panel-footer + .panel-collapse > .panel-body {\n border-bottom-color: #bce8f1;\n}\n\n.scoped-bootstrap .panel-warning {\n border-color: #faebcc;\n}\n\n.scoped-bootstrap .panel-warning > .panel-heading {\n color: #8a6d3b;\n background-color: #fcf8e3;\n border-color: #faebcc;\n}\n\n.scoped-bootstrap .panel-warning > .panel-heading + .panel-collapse > .panel-body {\n border-top-color: #faebcc;\n}\n\n.scoped-bootstrap .panel-warning > .panel-heading .badge {\n color: #fcf8e3;\n background-color: #8a6d3b;\n}\n\n.scoped-bootstrap .panel-warning > .panel-footer + .panel-collapse > .panel-body {\n border-bottom-color: #faebcc;\n}\n\n.scoped-bootstrap .panel-danger {\n border-color: #ebccd1;\n}\n\n.scoped-bootstrap .panel-danger > .panel-heading {\n color: #a94442;\n background-color: #f2dede;\n border-color: #ebccd1;\n}\n\n.scoped-bootstrap .panel-danger > .panel-heading + .panel-collapse > .panel-body {\n border-top-color: #ebccd1;\n}\n\n.scoped-bootstrap .panel-danger > .panel-heading .badge {\n color: #f2dede;\n background-color: #a94442;\n}\n\n.scoped-bootstrap .panel-danger > .panel-footer + .panel-collapse > .panel-body {\n border-bottom-color: #ebccd1;\n}\n\n.scoped-bootstrap .embed-responsive {\n position: relative;\n display: block;\n height: 0;\n padding: 0;\n overflow: hidden;\n}\n\n.scoped-bootstrap .embed-responsive .embed-responsive-item,\n.scoped-bootstrap .embed-responsive iframe,\n.scoped-bootstrap .embed-responsive embed,\n.scoped-bootstrap .embed-responsive object,\n.scoped-bootstrap .embed-responsive video {\n position: absolute;\n top: 0;\n bottom: 0;\n left: 0;\n width: 100%;\n height: 100%;\n border: 0;\n}\n\n.scoped-bootstrap .embed-responsive-16by9 {\n padding-bottom: 56.25%;\n}\n\n.scoped-bootstrap .embed-responsive-4by3 {\n padding-bottom: 75%;\n}\n\n.scoped-bootstrap .well {\n min-height: 20px;\n padding: 19px;\n margin-bottom: 20px;\n background-color: #f5f5f5;\n border: 1px solid #e3e3e3;\n border-radius: 4px;\n -webkit-box-shadow: inset 0 1px 1px rgba(0, 0, 0, .05);\n box-shadow: inset 0 1px 1px rgba(0, 0, 0, .05);\n}\n\n.scoped-bootstrap .well blockquote {\n border-color: #ddd;\n border-color: rgba(0, 0, 0, .15);\n}\n\n.scoped-bootstrap .well-lg {\n padding: 24px;\n border-radius: 6px;\n}\n\n.scoped-bootstrap .well-sm {\n padding: 9px;\n border-radius: 3px;\n}\n\n.scoped-bootstrap .close {\n float: right;\n font-size: 21px;\n font-weight: bold;\n line-height: 1;\n color: #000;\n text-shadow: 0 1px 0 #fff;\n filter: alpha(opacity=20);\n opacity: .2;\n}\n\n.scoped-bootstrap .close:hover,\n.scoped-bootstrap .close:focus {\n color: #000;\n text-decoration: none;\n cursor: pointer;\n filter: alpha(opacity=50);\n opacity: .5;\n}\n\n.scoped-bootstrap button.close {\n -webkit-appearance: none;\n padding: 0;\n cursor: pointer;\n background: transparent;\n border: 0;\n}\n\n.scoped-bootstrap .modal-open {\n overflow: hidden;\n}\n\n.scoped-bootstrap .modal {\n position: fixed;\n top: 0;\n right: 0;\n bottom: 0;\n left: 0;\n z-index: 1050;\n display: none;\n overflow: hidden;\n -webkit-overflow-scrolling: touch;\n outline: 0;\n}\n\n.scoped-bootstrap .modal.fade .modal-dialog {\n -webkit-transition: -webkit-transform .3s ease-out;\n -o-transition: -o-transform .3s ease-out;\n transition: transform .3s ease-out;\n -webkit-transform: translate(0, -25%);\n -ms-transform: translate(0, -25%);\n -o-transform: translate(0, -25%);\n transform: translate(0, -25%);\n}\n\n.scoped-bootstrap .modal.in .modal-dialog {\n -webkit-transform: translate(0, 0);\n -ms-transform: translate(0, 0);\n -o-transform: translate(0, 0);\n transform: translate(0, 0);\n}\n\n.scoped-bootstrap .modal-open .modal {\n overflow-x: hidden;\n overflow-y: auto;\n}\n\n.scoped-bootstrap .modal-dialog {\n position: relative;\n width: auto;\n margin: 10px;\n}\n\n.scoped-bootstrap .modal-content {\n position: relative;\n background-color: #fff;\n -webkit-background-clip: padding-box;\n background-clip: padding-box;\n border: 1px solid #999;\n border: 1px solid rgba(0, 0, 0, .2);\n border-radius: 6px;\n outline: 0;\n -webkit-box-shadow: 0 3px 9px rgba(0, 0, 0, .5);\n box-shadow: 0 3px 9px rgba(0, 0, 0, .5);\n}\n\n.scoped-bootstrap .modal-backdrop {\n position: fixed;\n top: 0;\n right: 0;\n bottom: 0;\n left: 0;\n z-index: 1040;\n background-color: #000;\n}\n\n.scoped-bootstrap .modal-backdrop.fade {\n filter: alpha(opacity=0);\n opacity: 0;\n}\n\n.scoped-bootstrap .modal-backdrop.in {\n filter: alpha(opacity=50);\n opacity: .5;\n}\n\n.scoped-bootstrap .modal-header {\n padding: 15px;\n border-bottom: 1px solid #e5e5e5;\n}\n\n.scoped-bootstrap .modal-header .close {\n margin-top: -2px;\n}\n\n.scoped-bootstrap .modal-title {\n margin: 0;\n line-height: 1.42857143;\n}\n\n.scoped-bootstrap .modal-body {\n position: relative;\n padding: 15px;\n}\n\n.scoped-bootstrap .modal-footer {\n padding: 15px;\n text-align: right;\n border-top: 1px solid #e5e5e5;\n}\n\n.scoped-bootstrap .modal-footer .btn + .btn {\n margin-bottom: 0;\n margin-left: 5px;\n}\n\n.scoped-bootstrap .modal-footer .btn-group .btn + .btn {\n margin-left: -1px;\n}\n\n.scoped-bootstrap .modal-footer .btn-block + .btn-block {\n margin-left: 0;\n}\n\n.scoped-bootstrap .modal-scrollbar-measure {\n position: absolute;\n top: -9999px;\n width: 50px;\n height: 50px;\n overflow: scroll;\n}\n\n@media (min-width: 768px) {\n .scoped-bootstrap .modal-dialog {\n width: 600px;\n margin: 30px auto;\n }\n\n .scoped-bootstrap .modal-content {\n -webkit-box-shadow: 0 5px 15px rgba(0, 0, 0, .5);\n box-shadow: 0 5px 15px rgba(0, 0, 0, .5);\n }\n\n .scoped-bootstrap .modal-sm {\n width: 300px;\n }\n}\n\n@media (min-width: 992px) {\n .scoped-bootstrap .modal-lg {\n width: 900px;\n }\n}\n\n.scoped-bootstrap .tooltip {\n position: absolute;\n z-index: 1070;\n display: block;\n font-family: "Helvetica Neue", Helvetica, Arial, sans-serif;\n font-size: 12px;\n font-style: normal;\n font-weight: normal;\n line-height: 1.42857143;\n text-align: left;\n text-align: start;\n text-decoration: none;\n text-shadow: none;\n text-transform: none;\n letter-spacing: normal;\n word-break: normal;\n word-spacing: normal;\n word-wrap: normal;\n white-space: normal;\n filter: alpha(opacity=0);\n opacity: 0;\n line-break: auto;\n}\n\n.scoped-bootstrap .tooltip.in {\n filter: alpha(opacity=90);\n opacity: .9;\n}\n\n.scoped-bootstrap .tooltip.top {\n padding: 5px 0;\n margin-top: -3px;\n}\n\n.scoped-bootstrap .tooltip.right {\n padding: 0 5px;\n margin-left: 3px;\n}\n\n.scoped-bootstrap .tooltip.bottom {\n padding: 5px 0;\n margin-top: 3px;\n}\n\n.scoped-bootstrap .tooltip.left {\n padding: 0 5px;\n margin-left: -3px;\n}\n\n.scoped-bootstrap .tooltip-inner {\n max-width: 200px;\n padding: 3px 8px;\n color: #fff;\n text-align: center;\n background-color: #000;\n border-radius: 4px;\n}\n\n.scoped-bootstrap .tooltip-arrow {\n position: absolute;\n width: 0;\n height: 0;\n border-color: transparent;\n border-style: solid;\n}\n\n.scoped-bootstrap .tooltip.top .tooltip-arrow {\n bottom: 0;\n left: 50%;\n margin-left: -5px;\n border-width: 5px 5px 0;\n border-top-color: #000;\n}\n\n.scoped-bootstrap .tooltip.top-left .tooltip-arrow {\n right: 5px;\n bottom: 0;\n margin-bottom: -5px;\n border-width: 5px 5px 0;\n border-top-color: #000;\n}\n\n.scoped-bootstrap .tooltip.top-right .tooltip-arrow {\n bottom: 0;\n left: 5px;\n margin-bottom: -5px;\n border-width: 5px 5px 0;\n border-top-color: #000;\n}\n\n.scoped-bootstrap .tooltip.right .tooltip-arrow {\n top: 50%;\n left: 0;\n margin-top: -5px;\n border-width: 5px 5px 5px 0;\n border-right-color: #000;\n}\n\n.scoped-bootstrap .tooltip.left .tooltip-arrow {\n top: 50%;\n right: 0;\n margin-top: -5px;\n border-width: 5px 0 5px 5px;\n border-left-color: #000;\n}\n\n.scoped-bootstrap .tooltip.bottom .tooltip-arrow {\n top: 0;\n left: 50%;\n margin-left: -5px;\n border-width: 0 5px 5px;\n border-bottom-color: #000;\n}\n\n.scoped-bootstrap .tooltip.bottom-left .tooltip-arrow {\n top: 0;\n right: 5px;\n margin-top: -5px;\n border-width: 0 5px 5px;\n border-bottom-color: #000;\n}\n\n.scoped-bootstrap .tooltip.bottom-right .tooltip-arrow {\n top: 0;\n left: 5px;\n margin-top: -5px;\n border-width: 0 5px 5px;\n border-bottom-color: #000;\n}\n\n.scoped-bootstrap .popover {\n position: absolute;\n top: 0;\n left: 0;\n z-index: 1060;\n display: none;\n max-width: 276px;\n padding: 1px;\n font-family: "Helvetica Neue", Helvetica, Arial, sans-serif;\n font-size: 14px;\n font-style: normal;\n font-weight: normal;\n line-height: 1.42857143;\n text-align: left;\n text-align: start;\n text-decoration: none;\n text-shadow: none;\n text-transform: none;\n letter-spacing: normal;\n word-break: normal;\n word-spacing: normal;\n word-wrap: normal;\n white-space: normal;\n background-color: #fff;\n -webkit-background-clip: padding-box;\n background-clip: padding-box;\n border: 1px solid #ccc;\n border: 1px solid rgba(0, 0, 0, .2);\n border-radius: 6px;\n -webkit-box-shadow: 0 5px 10px rgba(0, 0, 0, .2);\n box-shadow: 0 5px 10px rgba(0, 0, 0, .2);\n line-break: auto;\n}\n\n.scoped-bootstrap .popover.top {\n margin-top: -10px;\n}\n\n.scoped-bootstrap .popover.right {\n margin-left: 10px;\n}\n\n.scoped-bootstrap .popover.bottom {\n margin-top: 10px;\n}\n\n.scoped-bootstrap .popover.left {\n margin-left: -10px;\n}\n\n.scoped-bootstrap .popover-title {\n padding: 8px 14px;\n margin: 0;\n font-size: 14px;\n background-color: #f7f7f7;\n border-bottom: 1px solid #ebebeb;\n border-radius: 5px 5px 0 0;\n}\n\n.scoped-bootstrap .popover-content {\n padding: 9px 14px;\n}\n\n.scoped-bootstrap .popover > .arrow,\n.scoped-bootstrap .popover > .arrow:after {\n position: absolute;\n display: block;\n width: 0;\n height: 0;\n border-color: transparent;\n border-style: solid;\n}\n\n.scoped-bootstrap .popover > .arrow {\n border-width: 11px;\n}\n\n.scoped-bootstrap .popover > .arrow:after {\n content: "";\n border-width: 10px;\n}\n\n.scoped-bootstrap .popover.top > .arrow {\n bottom: -11px;\n left: 50%;\n margin-left: -11px;\n border-top-color: #999;\n border-top-color: rgba(0, 0, 0, .25);\n border-bottom-width: 0;\n}\n\n.scoped-bootstrap .popover.top > .arrow:after {\n bottom: 1px;\n margin-left: -10px;\n content: " ";\n border-top-color: #fff;\n border-bottom-width: 0;\n}\n\n.scoped-bootstrap .popover.right > .arrow {\n top: 50%;\n left: -11px;\n margin-top: -11px;\n border-right-color: #999;\n border-right-color: rgba(0, 0, 0, .25);\n border-left-width: 0;\n}\n\n.scoped-bootstrap .popover.right > .arrow:after {\n bottom: -10px;\n left: 1px;\n content: " ";\n border-right-color: #fff;\n border-left-width: 0;\n}\n\n.scoped-bootstrap .popover.bottom > .arrow {\n top: -11px;\n left: 50%;\n margin-left: -11px;\n border-top-width: 0;\n border-bottom-color: #999;\n border-bottom-color: rgba(0, 0, 0, .25);\n}\n\n.scoped-bootstrap .popover.bottom > .arrow:after {\n top: 1px;\n margin-left: -10px;\n content: " ";\n border-top-width: 0;\n border-bottom-color: #fff;\n}\n\n.scoped-bootstrap .popover.left > .arrow {\n top: 50%;\n right: -11px;\n margin-top: -11px;\n border-right-width: 0;\n border-left-color: #999;\n border-left-color: rgba(0, 0, 0, .25);\n}\n\n.scoped-bootstrap .popover.left > .arrow:after {\n right: 1px;\n bottom: -10px;\n content: " ";\n border-right-width: 0;\n border-left-color: #fff;\n}\n\n.scoped-bootstrap .carousel {\n position: relative;\n}\n\n.scoped-bootstrap .carousel-inner {\n position: relative;\n width: 100%;\n overflow: hidden;\n}\n\n.scoped-bootstrap .carousel-inner > .item {\n position: relative;\n display: none;\n -webkit-transition: .6s ease-in-out left;\n -o-transition: .6s ease-in-out left;\n transition: .6s ease-in-out left;\n}\n\n.scoped-bootstrap .carousel-inner > .item > img,\n.scoped-bootstrap .carousel-inner > .item > a > img {\n line-height: 1;\n}\n\n@media all and (transform-3d), (-webkit-transform-3d) {\n .scoped-bootstrap .carousel-inner > .item {\n -webkit-transition: -webkit-transform .6s ease-in-out;\n -o-transition: -o-transform .6s ease-in-out;\n transition: transform .6s ease-in-out;\n -webkit-backface-visibility: hidden;\n backface-visibility: hidden;\n -webkit-perspective: 1000px;\n perspective: 1000px;\n }\n\n .scoped-bootstrap .carousel-inner > .item.next,\n .scoped-bootstrap .carousel-inner > .item.active.right {\n left: 0;\n -webkit-transform: translate3d(100%, 0, 0);\n transform: translate3d(100%, 0, 0);\n }\n\n .scoped-bootstrap .carousel-inner > .item.prev,\n .scoped-bootstrap .carousel-inner > .item.active.left {\n left: 0;\n -webkit-transform: translate3d(-100%, 0, 0);\n transform: translate3d(-100%, 0, 0);\n }\n\n .scoped-bootstrap .carousel-inner > .item.next.left,\n .scoped-bootstrap .carousel-inner > .item.prev.right,\n .scoped-bootstrap .carousel-inner > .item.active {\n left: 0;\n -webkit-transform: translate3d(0, 0, 0);\n transform: translate3d(0, 0, 0);\n }\n}\n\n.scoped-bootstrap .carousel-inner > .active,\n.scoped-bootstrap .carousel-inner > .next,\n.scoped-bootstrap .carousel-inner > .prev {\n display: block;\n}\n\n.scoped-bootstrap .carousel-inner > .active {\n left: 0;\n}\n\n.scoped-bootstrap .carousel-inner > .next,\n.scoped-bootstrap .carousel-inner > .prev {\n position: absolute;\n top: 0;\n width: 100%;\n}\n\n.scoped-bootstrap .carousel-inner > .next {\n left: 100%;\n}\n\n.scoped-bootstrap .carousel-inner > .prev {\n left: -100%;\n}\n\n.scoped-bootstrap .carousel-inner > .next.left,\n.scoped-bootstrap .carousel-inner > .prev.right {\n left: 0;\n}\n\n.scoped-bootstrap .carousel-inner > .active.left {\n left: -100%;\n}\n\n.scoped-bootstrap .carousel-inner > .active.right {\n left: 100%;\n}\n\n.scoped-bootstrap .carousel-control {\n position: absolute;\n top: 0;\n bottom: 0;\n left: 0;\n width: 15%;\n font-size: 20px;\n color: #fff;\n text-align: center;\n text-shadow: 0 1px 2px rgba(0, 0, 0, .6);\n background-color: rgba(0, 0, 0, 0);\n filter: alpha(opacity=50);\n opacity: .5;\n}\n\n.scoped-bootstrap .carousel-control.left {\n background-image: -webkit-linear-gradient(left, rgba(0, 0, 0, .5) 0%, rgba(0, 0, 0, .0001) 100%);\n background-image: -o-linear-gradient(left, rgba(0, 0, 0, .5) 0%, rgba(0, 0, 0, .0001) 100%);\n background-image: -webkit-gradient(linear, left top, right top, from(rgba(0, 0, 0, .5)), to(rgba(0, 0, 0, .0001)));\n background-image: linear-gradient(to right, rgba(0, 0, 0, .5) 0%, rgba(0, 0, 0, .0001) 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr=\'#80000000\', endColorstr=\'#00000000\', GradientType=1);\n background-repeat: repeat-x;\n}\n\n.scoped-bootstrap .carousel-control.right {\n right: 0;\n left: auto;\n background-image: -webkit-linear-gradient(left, rgba(0, 0, 0, .0001) 0%, rgba(0, 0, 0, .5) 100%);\n background-image: -o-linear-gradient(left, rgba(0, 0, 0, .0001) 0%, rgba(0, 0, 0, .5) 100%);\n background-image: -webkit-gradient(linear, left top, right top, from(rgba(0, 0, 0, .0001)), to(rgba(0, 0, 0, .5)));\n background-image: linear-gradient(to right, rgba(0, 0, 0, .0001) 0%, rgba(0, 0, 0, .5) 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr=\'#00000000\', endColorstr=\'#80000000\', GradientType=1);\n background-repeat: repeat-x;\n}\n\n.scoped-bootstrap .carousel-control:hover,\n.scoped-bootstrap .carousel-control:focus {\n color: #fff;\n text-decoration: none;\n filter: alpha(opacity=90);\n outline: 0;\n opacity: .9;\n}\n\n.scoped-bootstrap .carousel-control .icon-prev,\n.scoped-bootstrap .carousel-control .icon-next,\n.scoped-bootstrap .carousel-control .glyphicon-chevron-left,\n.scoped-bootstrap .carousel-control .glyphicon-chevron-right {\n position: absolute;\n top: 50%;\n z-index: 5;\n display: inline-block;\n margin-top: -10px;\n}\n\n.scoped-bootstrap .carousel-control .icon-prev,\n.scoped-bootstrap .carousel-control .glyphicon-chevron-left {\n left: 50%;\n margin-left: -10px;\n}\n\n.scoped-bootstrap .carousel-control .icon-next,\n.scoped-bootstrap .carousel-control .glyphicon-chevron-right {\n right: 50%;\n margin-right: -10px;\n}\n\n.scoped-bootstrap .carousel-control .icon-prev,\n.scoped-bootstrap .carousel-control .icon-next {\n width: 20px;\n height: 20px;\n font-family: serif;\n line-height: 1;\n}\n\n.scoped-bootstrap .carousel-control .icon-prev:before {\n content: \'\\2039\';\n}\n\n.scoped-bootstrap .carousel-control .icon-next:before {\n content: \'\\203A\';\n}\n\n.scoped-bootstrap .carousel-indicators {\n position: absolute;\n bottom: 10px;\n left: 50%;\n z-index: 15;\n width: 60%;\n padding-left: 0;\n margin-left: -30%;\n text-align: center;\n list-style: none;\n}\n\n.scoped-bootstrap .carousel-indicators li {\n display: inline-block;\n width: 10px;\n height: 10px;\n margin: 1px;\n text-indent: -999px;\n cursor: pointer;\n background-color: #000 \\9;\n background-color: rgba(0, 0, 0, 0);\n border: 1px solid #fff;\n border-radius: 10px;\n}\n\n.scoped-bootstrap .carousel-indicators .active {\n width: 12px;\n height: 12px;\n margin: 0;\n background-color: #fff;\n}\n\n.scoped-bootstrap .carousel-caption {\n position: absolute;\n right: 15%;\n bottom: 20px;\n left: 15%;\n z-index: 10;\n padding-top: 20px;\n padding-bottom: 20px;\n color: #fff;\n text-align: center;\n text-shadow: 0 1px 2px rgba(0, 0, 0, .6);\n}\n\n.scoped-bootstrap .carousel-caption .btn {\n text-shadow: none;\n}\n\n@media screen and (min-width: 768px) {\n .scoped-bootstrap .carousel-control .glyphicon-chevron-left,\n .scoped-bootstrap .carousel-control .glyphicon-chevron-right,\n .scoped-bootstrap .carousel-control .icon-prev,\n .scoped-bootstrap .carousel-control .icon-next {\n width: 30px;\n height: 30px;\n margin-top: -10px;\n font-size: 30px;\n }\n\n .scoped-bootstrap .carousel-control .glyphicon-chevron-left,\n .scoped-bootstrap .carousel-control .icon-prev {\n margin-left: -10px;\n }\n\n .scoped-bootstrap .carousel-control .glyphicon-chevron-right,\n .scoped-bootstrap .carousel-control .icon-next {\n margin-right: -10px;\n }\n\n .scoped-bootstrap .carousel-caption {\n right: 20%;\n left: 20%;\n padding-bottom: 30px;\n }\n\n .scoped-bootstrap .carousel-indicators {\n bottom: 20px;\n }\n}\n\n.scoped-bootstrap .clearfix:before,\n.scoped-bootstrap .clearfix:after,\n.scoped-bootstrap .dl-horizontal dd:before,\n.scoped-bootstrap .dl-horizontal dd:after,\n.scoped-bootstrap .container:before,\n.scoped-bootstrap .container:after,\n.scoped-bootstrap .container-fluid:before,\n.scoped-bootstrap .container-fluid:after,\n.scoped-bootstrap .row:before,\n.scoped-bootstrap .row:after,\n.scoped-bootstrap .form-horizontal .form-group:before,\n.scoped-bootstrap .form-horizontal .form-group:after,\n.scoped-bootstrap .btn-toolbar:before,\n.scoped-bootstrap .btn-toolbar:after,\n.scoped-bootstrap .btn-group-vertical > .btn-group:before,\n.scoped-bootstrap .btn-group-vertical > .btn-group:after,\n.scoped-bootstrap .nav:before,\n.scoped-bootstrap .nav:after,\n.scoped-bootstrap .navbar:before,\n.scoped-bootstrap .navbar:after,\n.scoped-bootstrap .navbar-header:before,\n.scoped-bootstrap .navbar-header:after,\n.scoped-bootstrap .navbar-collapse:before,\n.scoped-bootstrap .navbar-collapse:after,\n.scoped-bootstrap .pager:before,\n.scoped-bootstrap .pager:after,\n.scoped-bootstrap .panel-body:before,\n.scoped-bootstrap .panel-body:after,\n.scoped-bootstrap .modal-header:before,\n.scoped-bootstrap .modal-header:after,\n.scoped-bootstrap .modal-footer:before,\n.scoped-bootstrap .modal-footer:after {\n display: table;\n content: " ";\n}\n\n.scoped-bootstrap .clearfix:after,\n.scoped-bootstrap .dl-horizontal dd:after,\n.scoped-bootstrap .container:after,\n.scoped-bootstrap .container-fluid:after,\n.scoped-bootstrap .row:after,\n.scoped-bootstrap .form-horizontal .form-group:after,\n.scoped-bootstrap .btn-toolbar:after,\n.scoped-bootstrap .btn-group-vertical > .btn-group:after,\n.scoped-bootstrap .nav:after,\n.scoped-bootstrap .navbar:after,\n.scoped-bootstrap .navbar-header:after,\n.scoped-bootstrap .navbar-collapse:after,\n.scoped-bootstrap .pager:after,\n.scoped-bootstrap .panel-body:after,\n.scoped-bootstrap .modal-header:after,\n.scoped-bootstrap .modal-footer:after {\n clear: both;\n}\n\n.scoped-bootstrap .center-block {\n display: block;\n margin-right: auto;\n margin-left: auto;\n}\n\n.scoped-bootstrap .pull-right {\n float: right !important;\n}\n\n.scoped-bootstrap .pull-left {\n float: left !important;\n}\n\n.scoped-bootstrap .hide {\n display: none !important;\n}\n\n.scoped-bootstrap .show {\n display: block !important;\n}\n\n.scoped-bootstrap .invisible {\n visibility: hidden;\n}\n\n.scoped-bootstrap .text-hide {\n font: 0/0 a;\n color: transparent;\n text-shadow: none;\n background-color: transparent;\n border: 0;\n}\n\n.scoped-bootstrap .hidden {\n display: none !important;\n}\n\n.scoped-bootstrap .affix {\n position: fixed;\n}\n\n@-ms-viewport {\n width: device-width;\n}\n\n.scoped-bootstrap .visible-xs,\n.scoped-bootstrap .visible-sm,\n.scoped-bootstrap .visible-md,\n.scoped-bootstrap .visible-lg {\n display: none !important;\n}\n\n.scoped-bootstrap .visible-xs-block,\n.scoped-bootstrap .visible-xs-inline,\n.scoped-bootstrap .visible-xs-inline-block,\n.scoped-bootstrap .visible-sm-block,\n.scoped-bootstrap .visible-sm-inline,\n.scoped-bootstrap .visible-sm-inline-block,\n.scoped-bootstrap .visible-md-block,\n.scoped-bootstrap .visible-md-inline,\n.scoped-bootstrap .visible-md-inline-block,\n.scoped-bootstrap .visible-lg-block,\n.scoped-bootstrap .visible-lg-inline,\n.scoped-bootstrap .visible-lg-inline-block {\n display: none !important;\n}\n\n@media (max-width: 767px) {\n .scoped-bootstrap .visible-xs {\n display: block !important;\n }\n\n .scoped-bootstrap table.visible-xs {\n display: table !important;\n }\n\n .scoped-bootstrap tr.visible-xs {\n display: table-row !important;\n }\n\n .scoped-bootstrap th.visible-xs,\n .scoped-bootstrap td.visible-xs {\n display: table-cell !important;\n }\n}\n\n@media (max-width: 767px) {\n .scoped-bootstrap .visible-xs-block {\n display: block !important;\n }\n}\n\n@media (max-width: 767px) {\n .scoped-bootstrap .visible-xs-inline {\n display: inline !important;\n }\n}\n\n@media (max-width: 767px) {\n .scoped-bootstrap .visible-xs-inline-block {\n display: inline-block !important;\n }\n}\n\n@media (min-width: 768px) and (max-width: 991px) {\n .scoped-bootstrap .visible-sm {\n display: block !important;\n }\n\n .scoped-bootstrap table.visible-sm {\n display: table !important;\n }\n\n .scoped-bootstrap tr.visible-sm {\n display: table-row !important;\n }\n\n .scoped-bootstrap th.visible-sm,\n .scoped-bootstrap td.visible-sm {\n display: table-cell !important;\n }\n}\n\n@media (min-width: 768px) and (max-width: 991px) {\n .scoped-bootstrap .visible-sm-block {\n display: block !important;\n }\n}\n\n@media (min-width: 768px) and (max-width: 991px) {\n .scoped-bootstrap .visible-sm-inline {\n display: inline !important;\n }\n}\n\n@media (min-width: 768px) and (max-width: 991px) {\n .scoped-bootstrap .visible-sm-inline-block {\n display: inline-block !important;\n }\n}\n\n@media (min-width: 992px) and (max-width: 1199px) {\n .scoped-bootstrap .visible-md {\n display: block !important;\n }\n\n .scoped-bootstrap table.visible-md {\n display: table !important;\n }\n\n .scoped-bootstrap tr.visible-md {\n display: table-row !important;\n }\n\n .scoped-bootstrap th.visible-md,\n .scoped-bootstrap td.visible-md {\n display: table-cell !important;\n }\n}\n\n@media (min-width: 992px) and (max-width: 1199px) {\n .scoped-bootstrap .visible-md-block {\n display: block !important;\n }\n}\n\n@media (min-width: 992px) and (max-width: 1199px) {\n .scoped-bootstrap .visible-md-inline {\n display: inline !important;\n }\n}\n\n@media (min-width: 992px) and (max-width: 1199px) {\n .scoped-bootstrap .visible-md-inline-block {\n display: inline-block !important;\n }\n}\n\n@media (min-width: 1200px) {\n .scoped-bootstrap .visible-lg {\n display: block !important;\n }\n\n .scoped-bootstrap table.visible-lg {\n display: table !important;\n }\n\n .scoped-bootstrap tr.visible-lg {\n display: table-row !important;\n }\n\n .scoped-bootstrap th.visible-lg,\n .scoped-bootstrap td.visible-lg {\n display: table-cell !important;\n }\n}\n\n@media (min-width: 1200px) {\n .scoped-bootstrap .visible-lg-block {\n display: block !important;\n }\n}\n\n@media (min-width: 1200px) {\n .scoped-bootstrap .visible-lg-inline {\n display: inline !important;\n }\n}\n\n@media (min-width: 1200px) {\n .scoped-bootstrap .visible-lg-inline-block {\n display: inline-block !important;\n }\n}\n\n@media (max-width: 767px) {\n .scoped-bootstrap .hidden-xs {\n display: none !important;\n }\n}\n\n@media (min-width: 768px) and (max-width: 991px) {\n .scoped-bootstrap .hidden-sm {\n display: none !important;\n }\n}\n\n@media (min-width: 992px) and (max-width: 1199px) {\n .scoped-bootstrap .hidden-md {\n display: none !important;\n }\n}\n\n@media (min-width: 1200px) {\n .scoped-bootstrap .hidden-lg {\n display: none !important;\n }\n}\n\n.scoped-bootstrap .visible-print {\n display: none !important;\n}\n\n@media print {\n .scoped-bootstrap .visible-print {\n display: block !important;\n }\n\n .scoped-bootstrap table.visible-print {\n display: table !important;\n }\n\n .scoped-bootstrap tr.visible-print {\n display: table-row !important;\n }\n\n .scoped-bootstrap th.visible-print,\n .scoped-bootstrap td.visible-print {\n display: table-cell !important;\n }\n}\n\n.scoped-bootstrap .visible-print-block {\n display: none !important;\n}\n\n@media print {\n .scoped-bootstrap .visible-print-block {\n display: block !important;\n }\n}\n\n.scoped-bootstrap .visible-print-inline {\n display: none !important;\n}\n\n@media print {\n .scoped-bootstrap .visible-print-inline {\n display: inline !important;\n }\n}\n\n.scoped-bootstrap .visible-print-inline-block {\n display: none !important;\n}\n\n@media print {\n .scoped-bootstrap .visible-print-inline-block {\n display: inline-block !important;\n }\n}\n\n@media print {\n .scoped-bootstrap .hidden-print {\n display: none !important;\n }\n}\n',""])},2963:function(e,t,n){var r=n(2964);"string"==typeof r&&(r=[[e.i,r,""]]);var o={hmr:!0,transform:void 0,insertInto:void 0};n(293)(r,o);r.locals&&(e.exports=r.locals)},2964:function(e,t,n){(e.exports=n(292)(!1)).push([e.i,"/*!\n * Bootstrap v3.3.7 (http://getbootstrap.com)\n * Copyright 2011-2016 Twitter, Inc.\n * Licensed under MIT (https://github.com/twbs/bootstrap/blob/master/LICENSE)\n */\n.btn-default,\n.btn-primary,\n.btn-success,\n.btn-info,\n.btn-warning,\n.btn-danger {\n text-shadow: 0 -1px 0 rgba(0, 0, 0, .2);\n -webkit-box-shadow: inset 0 1px 0 rgba(255, 255, 255, .15), 0 1px 1px rgba(0, 0, 0, .075);\n box-shadow: inset 0 1px 0 rgba(255, 255, 255, .15), 0 1px 1px rgba(0, 0, 0, .075);\n}\n.btn-default:active,\n.btn-primary:active,\n.btn-success:active,\n.btn-info:active,\n.btn-warning:active,\n.btn-danger:active,\n.btn-default.active,\n.btn-primary.active,\n.btn-success.active,\n.btn-info.active,\n.btn-warning.active,\n.btn-danger.active {\n -webkit-box-shadow: inset 0 3px 5px rgba(0, 0, 0, .125);\n box-shadow: inset 0 3px 5px rgba(0, 0, 0, .125);\n}\n.btn-default.disabled,\n.btn-primary.disabled,\n.btn-success.disabled,\n.btn-info.disabled,\n.btn-warning.disabled,\n.btn-danger.disabled,\n.btn-default[disabled],\n.btn-primary[disabled],\n.btn-success[disabled],\n.btn-info[disabled],\n.btn-warning[disabled],\n.btn-danger[disabled],\nfieldset[disabled] .btn-default,\nfieldset[disabled] .btn-primary,\nfieldset[disabled] .btn-success,\nfieldset[disabled] .btn-info,\nfieldset[disabled] .btn-warning,\nfieldset[disabled] .btn-danger {\n -webkit-box-shadow: none;\n box-shadow: none;\n}\n.btn-default .badge,\n.btn-primary .badge,\n.btn-success .badge,\n.btn-info .badge,\n.btn-warning .badge,\n.btn-danger .badge {\n text-shadow: none;\n}\n.btn:active,\n.btn.active {\n background-image: none;\n}\n.btn-default {\n text-shadow: 0 1px 0 #fff;\n background-image: -webkit-linear-gradient(top, #fff 0%, #e0e0e0 100%);\n background-image: -o-linear-gradient(top, #fff 0%, #e0e0e0 100%);\n background-image: -webkit-gradient(linear, left top, left bottom, from(#fff), to(#e0e0e0));\n background-image: linear-gradient(to bottom, #fff 0%, #e0e0e0 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffffffff', endColorstr='#ffe0e0e0', GradientType=0);\n filter: progid:DXImageTransform.Microsoft.gradient(enabled = false);\n background-repeat: repeat-x;\n border-color: #dbdbdb;\n border-color: #ccc;\n}\n.btn-default:hover,\n.btn-default:focus {\n background-color: #e0e0e0;\n background-position: 0 -15px;\n}\n.btn-default:active,\n.btn-default.active {\n background-color: #e0e0e0;\n border-color: #dbdbdb;\n}\n.btn-default.disabled,\n.btn-default[disabled],\nfieldset[disabled] .btn-default,\n.btn-default.disabled:hover,\n.btn-default[disabled]:hover,\nfieldset[disabled] .btn-default:hover,\n.btn-default.disabled:focus,\n.btn-default[disabled]:focus,\nfieldset[disabled] .btn-default:focus,\n.btn-default.disabled.focus,\n.btn-default[disabled].focus,\nfieldset[disabled] .btn-default.focus,\n.btn-default.disabled:active,\n.btn-default[disabled]:active,\nfieldset[disabled] .btn-default:active,\n.btn-default.disabled.active,\n.btn-default[disabled].active,\nfieldset[disabled] .btn-default.active {\n background-color: #e0e0e0;\n background-image: none;\n}\n.btn-primary {\n background-image: -webkit-linear-gradient(top, #337ab7 0%, #265a88 100%);\n background-image: -o-linear-gradient(top, #337ab7 0%, #265a88 100%);\n background-image: -webkit-gradient(linear, left top, left bottom, from(#337ab7), to(#265a88));\n background-image: linear-gradient(to bottom, #337ab7 0%, #265a88 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff337ab7', endColorstr='#ff265a88', GradientType=0);\n filter: progid:DXImageTransform.Microsoft.gradient(enabled = false);\n background-repeat: repeat-x;\n border-color: #245580;\n}\n.btn-primary:hover,\n.btn-primary:focus {\n background-color: #265a88;\n background-position: 0 -15px;\n}\n.btn-primary:active,\n.btn-primary.active {\n background-color: #265a88;\n border-color: #245580;\n}\n.btn-primary.disabled,\n.btn-primary[disabled],\nfieldset[disabled] .btn-primary,\n.btn-primary.disabled:hover,\n.btn-primary[disabled]:hover,\nfieldset[disabled] .btn-primary:hover,\n.btn-primary.disabled:focus,\n.btn-primary[disabled]:focus,\nfieldset[disabled] .btn-primary:focus,\n.btn-primary.disabled.focus,\n.btn-primary[disabled].focus,\nfieldset[disabled] .btn-primary.focus,\n.btn-primary.disabled:active,\n.btn-primary[disabled]:active,\nfieldset[disabled] .btn-primary:active,\n.btn-primary.disabled.active,\n.btn-primary[disabled].active,\nfieldset[disabled] .btn-primary.active {\n background-color: #265a88;\n background-image: none;\n}\n.btn-success {\n background-image: -webkit-linear-gradient(top, #5cb85c 0%, #419641 100%);\n background-image: -o-linear-gradient(top, #5cb85c 0%, #419641 100%);\n background-image: -webkit-gradient(linear, left top, left bottom, from(#5cb85c), to(#419641));\n background-image: linear-gradient(to bottom, #5cb85c 0%, #419641 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff5cb85c', endColorstr='#ff419641', GradientType=0);\n filter: progid:DXImageTransform.Microsoft.gradient(enabled = false);\n background-repeat: repeat-x;\n border-color: #3e8f3e;\n}\n.btn-success:hover,\n.btn-success:focus {\n background-color: #419641;\n background-position: 0 -15px;\n}\n.btn-success:active,\n.btn-success.active {\n background-color: #419641;\n border-color: #3e8f3e;\n}\n.btn-success.disabled,\n.btn-success[disabled],\nfieldset[disabled] .btn-success,\n.btn-success.disabled:hover,\n.btn-success[disabled]:hover,\nfieldset[disabled] .btn-success:hover,\n.btn-success.disabled:focus,\n.btn-success[disabled]:focus,\nfieldset[disabled] .btn-success:focus,\n.btn-success.disabled.focus,\n.btn-success[disabled].focus,\nfieldset[disabled] .btn-success.focus,\n.btn-success.disabled:active,\n.btn-success[disabled]:active,\nfieldset[disabled] .btn-success:active,\n.btn-success.disabled.active,\n.btn-success[disabled].active,\nfieldset[disabled] .btn-success.active {\n background-color: #419641;\n background-image: none;\n}\n.btn-info {\n background-image: -webkit-linear-gradient(top, #5bc0de 0%, #2aabd2 100%);\n background-image: -o-linear-gradient(top, #5bc0de 0%, #2aabd2 100%);\n background-image: -webkit-gradient(linear, left top, left bottom, from(#5bc0de), to(#2aabd2));\n background-image: linear-gradient(to bottom, #5bc0de 0%, #2aabd2 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff5bc0de', endColorstr='#ff2aabd2', GradientType=0);\n filter: progid:DXImageTransform.Microsoft.gradient(enabled = false);\n background-repeat: repeat-x;\n border-color: #28a4c9;\n}\n.btn-info:hover,\n.btn-info:focus {\n background-color: #2aabd2;\n background-position: 0 -15px;\n}\n.btn-info:active,\n.btn-info.active {\n background-color: #2aabd2;\n border-color: #28a4c9;\n}\n.btn-info.disabled,\n.btn-info[disabled],\nfieldset[disabled] .btn-info,\n.btn-info.disabled:hover,\n.btn-info[disabled]:hover,\nfieldset[disabled] .btn-info:hover,\n.btn-info.disabled:focus,\n.btn-info[disabled]:focus,\nfieldset[disabled] .btn-info:focus,\n.btn-info.disabled.focus,\n.btn-info[disabled].focus,\nfieldset[disabled] .btn-info.focus,\n.btn-info.disabled:active,\n.btn-info[disabled]:active,\nfieldset[disabled] .btn-info:active,\n.btn-info.disabled.active,\n.btn-info[disabled].active,\nfieldset[disabled] .btn-info.active {\n background-color: #2aabd2;\n background-image: none;\n}\n.btn-warning {\n background-image: -webkit-linear-gradient(top, #f0ad4e 0%, #eb9316 100%);\n background-image: -o-linear-gradient(top, #f0ad4e 0%, #eb9316 100%);\n background-image: -webkit-gradient(linear, left top, left bottom, from(#f0ad4e), to(#eb9316));\n background-image: linear-gradient(to bottom, #f0ad4e 0%, #eb9316 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#fff0ad4e', endColorstr='#ffeb9316', GradientType=0);\n filter: progid:DXImageTransform.Microsoft.gradient(enabled = false);\n background-repeat: repeat-x;\n border-color: #e38d13;\n}\n.btn-warning:hover,\n.btn-warning:focus {\n background-color: #eb9316;\n background-position: 0 -15px;\n}\n.btn-warning:active,\n.btn-warning.active {\n background-color: #eb9316;\n border-color: #e38d13;\n}\n.btn-warning.disabled,\n.btn-warning[disabled],\nfieldset[disabled] .btn-warning,\n.btn-warning.disabled:hover,\n.btn-warning[disabled]:hover,\nfieldset[disabled] .btn-warning:hover,\n.btn-warning.disabled:focus,\n.btn-warning[disabled]:focus,\nfieldset[disabled] .btn-warning:focus,\n.btn-warning.disabled.focus,\n.btn-warning[disabled].focus,\nfieldset[disabled] .btn-warning.focus,\n.btn-warning.disabled:active,\n.btn-warning[disabled]:active,\nfieldset[disabled] .btn-warning:active,\n.btn-warning.disabled.active,\n.btn-warning[disabled].active,\nfieldset[disabled] .btn-warning.active {\n background-color: #eb9316;\n background-image: none;\n}\n.btn-danger {\n background-image: -webkit-linear-gradient(top, #d9534f 0%, #c12e2a 100%);\n background-image: -o-linear-gradient(top, #d9534f 0%, #c12e2a 100%);\n background-image: -webkit-gradient(linear, left top, left bottom, from(#d9534f), to(#c12e2a));\n background-image: linear-gradient(to bottom, #d9534f 0%, #c12e2a 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffd9534f', endColorstr='#ffc12e2a', GradientType=0);\n filter: progid:DXImageTransform.Microsoft.gradient(enabled = false);\n background-repeat: repeat-x;\n border-color: #b92c28;\n}\n.btn-danger:hover,\n.btn-danger:focus {\n background-color: #c12e2a;\n background-position: 0 -15px;\n}\n.btn-danger:active,\n.btn-danger.active {\n background-color: #c12e2a;\n border-color: #b92c28;\n}\n.btn-danger.disabled,\n.btn-danger[disabled],\nfieldset[disabled] .btn-danger,\n.btn-danger.disabled:hover,\n.btn-danger[disabled]:hover,\nfieldset[disabled] .btn-danger:hover,\n.btn-danger.disabled:focus,\n.btn-danger[disabled]:focus,\nfieldset[disabled] .btn-danger:focus,\n.btn-danger.disabled.focus,\n.btn-danger[disabled].focus,\nfieldset[disabled] .btn-danger.focus,\n.btn-danger.disabled:active,\n.btn-danger[disabled]:active,\nfieldset[disabled] .btn-danger:active,\n.btn-danger.disabled.active,\n.btn-danger[disabled].active,\nfieldset[disabled] .btn-danger.active {\n background-color: #c12e2a;\n background-image: none;\n}\n.thumbnail,\n.img-thumbnail {\n -webkit-box-shadow: 0 1px 2px rgba(0, 0, 0, .075);\n box-shadow: 0 1px 2px rgba(0, 0, 0, .075);\n}\n.dropdown-menu > li > a:hover,\n.dropdown-menu > li > a:focus {\n background-color: #e8e8e8;\n background-image: -webkit-linear-gradient(top, #f5f5f5 0%, #e8e8e8 100%);\n background-image: -o-linear-gradient(top, #f5f5f5 0%, #e8e8e8 100%);\n background-image: -webkit-gradient(linear, left top, left bottom, from(#f5f5f5), to(#e8e8e8));\n background-image: linear-gradient(to bottom, #f5f5f5 0%, #e8e8e8 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#fff5f5f5', endColorstr='#ffe8e8e8', GradientType=0);\n background-repeat: repeat-x;\n}\n.dropdown-menu > .active > a,\n.dropdown-menu > .active > a:hover,\n.dropdown-menu > .active > a:focus {\n background-color: #2e6da4;\n background-image: -webkit-linear-gradient(top, #337ab7 0%, #2e6da4 100%);\n background-image: -o-linear-gradient(top, #337ab7 0%, #2e6da4 100%);\n background-image: -webkit-gradient(linear, left top, left bottom, from(#337ab7), to(#2e6da4));\n background-image: linear-gradient(to bottom, #337ab7 0%, #2e6da4 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff337ab7', endColorstr='#ff2e6da4', GradientType=0);\n background-repeat: repeat-x;\n}\n.navbar-default {\n background-image: -webkit-linear-gradient(top, #fff 0%, #f8f8f8 100%);\n background-image: -o-linear-gradient(top, #fff 0%, #f8f8f8 100%);\n background-image: -webkit-gradient(linear, left top, left bottom, from(#fff), to(#f8f8f8));\n background-image: linear-gradient(to bottom, #fff 0%, #f8f8f8 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffffffff', endColorstr='#fff8f8f8', GradientType=0);\n filter: progid:DXImageTransform.Microsoft.gradient(enabled = false);\n background-repeat: repeat-x;\n border-radius: 4px;\n -webkit-box-shadow: inset 0 1px 0 rgba(255, 255, 255, .15), 0 1px 5px rgba(0, 0, 0, .075);\n box-shadow: inset 0 1px 0 rgba(255, 255, 255, .15), 0 1px 5px rgba(0, 0, 0, .075);\n}\n.navbar-default .navbar-nav > .open > a,\n.navbar-default .navbar-nav > .active > a {\n background-image: -webkit-linear-gradient(top, #dbdbdb 0%, #e2e2e2 100%);\n background-image: -o-linear-gradient(top, #dbdbdb 0%, #e2e2e2 100%);\n background-image: -webkit-gradient(linear, left top, left bottom, from(#dbdbdb), to(#e2e2e2));\n background-image: linear-gradient(to bottom, #dbdbdb 0%, #e2e2e2 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffdbdbdb', endColorstr='#ffe2e2e2', GradientType=0);\n background-repeat: repeat-x;\n -webkit-box-shadow: inset 0 3px 9px rgba(0, 0, 0, .075);\n box-shadow: inset 0 3px 9px rgba(0, 0, 0, .075);\n}\n.navbar-brand,\n.navbar-nav > li > a {\n text-shadow: 0 1px 0 rgba(255, 255, 255, .25);\n}\n.navbar-inverse {\n background-image: -webkit-linear-gradient(top, #3c3c3c 0%, #222 100%);\n background-image: -o-linear-gradient(top, #3c3c3c 0%, #222 100%);\n background-image: -webkit-gradient(linear, left top, left bottom, from(#3c3c3c), to(#222));\n background-image: linear-gradient(to bottom, #3c3c3c 0%, #222 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff3c3c3c', endColorstr='#ff222222', GradientType=0);\n filter: progid:DXImageTransform.Microsoft.gradient(enabled = false);\n background-repeat: repeat-x;\n border-radius: 4px;\n}\n.navbar-inverse .navbar-nav > .open > a,\n.navbar-inverse .navbar-nav > .active > a {\n background-image: -webkit-linear-gradient(top, #080808 0%, #0f0f0f 100%);\n background-image: -o-linear-gradient(top, #080808 0%, #0f0f0f 100%);\n background-image: -webkit-gradient(linear, left top, left bottom, from(#080808), to(#0f0f0f));\n background-image: linear-gradient(to bottom, #080808 0%, #0f0f0f 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff080808', endColorstr='#ff0f0f0f', GradientType=0);\n background-repeat: repeat-x;\n -webkit-box-shadow: inset 0 3px 9px rgba(0, 0, 0, .25);\n box-shadow: inset 0 3px 9px rgba(0, 0, 0, .25);\n}\n.navbar-inverse .navbar-brand,\n.navbar-inverse .navbar-nav > li > a {\n text-shadow: 0 -1px 0 rgba(0, 0, 0, .25);\n}\n.navbar-static-top,\n.navbar-fixed-top,\n.navbar-fixed-bottom {\n border-radius: 0;\n}\n@media (max-width: 767px) {\n .navbar .navbar-nav .open .dropdown-menu > .active > a,\n .navbar .navbar-nav .open .dropdown-menu > .active > a:hover,\n .navbar .navbar-nav .open .dropdown-menu > .active > a:focus {\n color: #fff;\n background-image: -webkit-linear-gradient(top, #337ab7 0%, #2e6da4 100%);\n background-image: -o-linear-gradient(top, #337ab7 0%, #2e6da4 100%);\n background-image: -webkit-gradient(linear, left top, left bottom, from(#337ab7), to(#2e6da4));\n background-image: linear-gradient(to bottom, #337ab7 0%, #2e6da4 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff337ab7', endColorstr='#ff2e6da4', GradientType=0);\n background-repeat: repeat-x;\n }\n}\n.alert {\n text-shadow: 0 1px 0 rgba(255, 255, 255, .2);\n -webkit-box-shadow: inset 0 1px 0 rgba(255, 255, 255, .25), 0 1px 2px rgba(0, 0, 0, .05);\n box-shadow: inset 0 1px 0 rgba(255, 255, 255, .25), 0 1px 2px rgba(0, 0, 0, .05);\n}\n.alert-success {\n background-image: -webkit-linear-gradient(top, #dff0d8 0%, #c8e5bc 100%);\n background-image: -o-linear-gradient(top, #dff0d8 0%, #c8e5bc 100%);\n background-image: -webkit-gradient(linear, left top, left bottom, from(#dff0d8), to(#c8e5bc));\n background-image: linear-gradient(to bottom, #dff0d8 0%, #c8e5bc 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffdff0d8', endColorstr='#ffc8e5bc', GradientType=0);\n background-repeat: repeat-x;\n border-color: #b2dba1;\n}\n.alert-info {\n background-image: -webkit-linear-gradient(top, #d9edf7 0%, #b9def0 100%);\n background-image: -o-linear-gradient(top, #d9edf7 0%, #b9def0 100%);\n background-image: -webkit-gradient(linear, left top, left bottom, from(#d9edf7), to(#b9def0));\n background-image: linear-gradient(to bottom, #d9edf7 0%, #b9def0 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffd9edf7', endColorstr='#ffb9def0', GradientType=0);\n background-repeat: repeat-x;\n border-color: #9acfea;\n}\n.alert-warning {\n background-image: -webkit-linear-gradient(top, #fcf8e3 0%, #f8efc0 100%);\n background-image: -o-linear-gradient(top, #fcf8e3 0%, #f8efc0 100%);\n background-image: -webkit-gradient(linear, left top, left bottom, from(#fcf8e3), to(#f8efc0));\n background-image: linear-gradient(to bottom, #fcf8e3 0%, #f8efc0 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#fffcf8e3', endColorstr='#fff8efc0', GradientType=0);\n background-repeat: repeat-x;\n border-color: #f5e79e;\n}\n.alert-danger {\n background-image: -webkit-linear-gradient(top, #f2dede 0%, #e7c3c3 100%);\n background-image: -o-linear-gradient(top, #f2dede 0%, #e7c3c3 100%);\n background-image: -webkit-gradient(linear, left top, left bottom, from(#f2dede), to(#e7c3c3));\n background-image: linear-gradient(to bottom, #f2dede 0%, #e7c3c3 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#fff2dede', endColorstr='#ffe7c3c3', GradientType=0);\n background-repeat: repeat-x;\n border-color: #dca7a7;\n}\n.progress {\n background-image: -webkit-linear-gradient(top, #ebebeb 0%, #f5f5f5 100%);\n background-image: -o-linear-gradient(top, #ebebeb 0%, #f5f5f5 100%);\n background-image: -webkit-gradient(linear, left top, left bottom, from(#ebebeb), to(#f5f5f5));\n background-image: linear-gradient(to bottom, #ebebeb 0%, #f5f5f5 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffebebeb', endColorstr='#fff5f5f5', GradientType=0);\n background-repeat: repeat-x;\n}\n.progress-bar {\n background-image: -webkit-linear-gradient(top, #337ab7 0%, #286090 100%);\n background-image: -o-linear-gradient(top, #337ab7 0%, #286090 100%);\n background-image: -webkit-gradient(linear, left top, left bottom, from(#337ab7), to(#286090));\n background-image: linear-gradient(to bottom, #337ab7 0%, #286090 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff337ab7', endColorstr='#ff286090', GradientType=0);\n background-repeat: repeat-x;\n}\n.progress-bar-success {\n background-image: -webkit-linear-gradient(top, #5cb85c 0%, #449d44 100%);\n background-image: -o-linear-gradient(top, #5cb85c 0%, #449d44 100%);\n background-image: -webkit-gradient(linear, left top, left bottom, from(#5cb85c), to(#449d44));\n background-image: linear-gradient(to bottom, #5cb85c 0%, #449d44 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff5cb85c', endColorstr='#ff449d44', GradientType=0);\n background-repeat: repeat-x;\n}\n.progress-bar-info {\n background-image: -webkit-linear-gradient(top, #5bc0de 0%, #31b0d5 100%);\n background-image: -o-linear-gradient(top, #5bc0de 0%, #31b0d5 100%);\n background-image: -webkit-gradient(linear, left top, left bottom, from(#5bc0de), to(#31b0d5));\n background-image: linear-gradient(to bottom, #5bc0de 0%, #31b0d5 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff5bc0de', endColorstr='#ff31b0d5', GradientType=0);\n background-repeat: repeat-x;\n}\n.progress-bar-warning {\n background-image: -webkit-linear-gradient(top, #f0ad4e 0%, #ec971f 100%);\n background-image: -o-linear-gradient(top, #f0ad4e 0%, #ec971f 100%);\n background-image: -webkit-gradient(linear, left top, left bottom, from(#f0ad4e), to(#ec971f));\n background-image: linear-gradient(to bottom, #f0ad4e 0%, #ec971f 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#fff0ad4e', endColorstr='#ffec971f', GradientType=0);\n background-repeat: repeat-x;\n}\n.progress-bar-danger {\n background-image: -webkit-linear-gradient(top, #d9534f 0%, #c9302c 100%);\n background-image: -o-linear-gradient(top, #d9534f 0%, #c9302c 100%);\n background-image: -webkit-gradient(linear, left top, left bottom, from(#d9534f), to(#c9302c));\n background-image: linear-gradient(to bottom, #d9534f 0%, #c9302c 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffd9534f', endColorstr='#ffc9302c', GradientType=0);\n background-repeat: repeat-x;\n}\n.progress-bar-striped {\n background-image: -webkit-linear-gradient(45deg, rgba(255, 255, 255, .15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, .15) 50%, rgba(255, 255, 255, .15) 75%, transparent 75%, transparent);\n background-image: -o-linear-gradient(45deg, rgba(255, 255, 255, .15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, .15) 50%, rgba(255, 255, 255, .15) 75%, transparent 75%, transparent);\n background-image: linear-gradient(45deg, rgba(255, 255, 255, .15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, .15) 50%, rgba(255, 255, 255, .15) 75%, transparent 75%, transparent);\n}\n.list-group {\n border-radius: 4px;\n -webkit-box-shadow: 0 1px 2px rgba(0, 0, 0, .075);\n box-shadow: 0 1px 2px rgba(0, 0, 0, .075);\n}\n.list-group-item.active,\n.list-group-item.active:hover,\n.list-group-item.active:focus {\n text-shadow: 0 -1px 0 #286090;\n background-image: -webkit-linear-gradient(top, #337ab7 0%, #2b669a 100%);\n background-image: -o-linear-gradient(top, #337ab7 0%, #2b669a 100%);\n background-image: -webkit-gradient(linear, left top, left bottom, from(#337ab7), to(#2b669a));\n background-image: linear-gradient(to bottom, #337ab7 0%, #2b669a 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff337ab7', endColorstr='#ff2b669a', GradientType=0);\n background-repeat: repeat-x;\n border-color: #2b669a;\n}\n.list-group-item.active .badge,\n.list-group-item.active:hover .badge,\n.list-group-item.active:focus .badge {\n text-shadow: none;\n}\n.panel {\n -webkit-box-shadow: 0 1px 2px rgba(0, 0, 0, .05);\n box-shadow: 0 1px 2px rgba(0, 0, 0, .05);\n}\n.panel-default > .panel-heading {\n background-image: -webkit-linear-gradient(top, #f5f5f5 0%, #e8e8e8 100%);\n background-image: -o-linear-gradient(top, #f5f5f5 0%, #e8e8e8 100%);\n background-image: -webkit-gradient(linear, left top, left bottom, from(#f5f5f5), to(#e8e8e8));\n background-image: linear-gradient(to bottom, #f5f5f5 0%, #e8e8e8 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#fff5f5f5', endColorstr='#ffe8e8e8', GradientType=0);\n background-repeat: repeat-x;\n}\n.panel-primary > .panel-heading {\n background-image: -webkit-linear-gradient(top, #337ab7 0%, #2e6da4 100%);\n background-image: -o-linear-gradient(top, #337ab7 0%, #2e6da4 100%);\n background-image: -webkit-gradient(linear, left top, left bottom, from(#337ab7), to(#2e6da4));\n background-image: linear-gradient(to bottom, #337ab7 0%, #2e6da4 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff337ab7', endColorstr='#ff2e6da4', GradientType=0);\n background-repeat: repeat-x;\n}\n.panel-success > .panel-heading {\n background-image: -webkit-linear-gradient(top, #dff0d8 0%, #d0e9c6 100%);\n background-image: -o-linear-gradient(top, #dff0d8 0%, #d0e9c6 100%);\n background-image: -webkit-gradient(linear, left top, left bottom, from(#dff0d8), to(#d0e9c6));\n background-image: linear-gradient(to bottom, #dff0d8 0%, #d0e9c6 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffdff0d8', endColorstr='#ffd0e9c6', GradientType=0);\n background-repeat: repeat-x;\n}\n.panel-info > .panel-heading {\n background-image: -webkit-linear-gradient(top, #d9edf7 0%, #c4e3f3 100%);\n background-image: -o-linear-gradient(top, #d9edf7 0%, #c4e3f3 100%);\n background-image: -webkit-gradient(linear, left top, left bottom, from(#d9edf7), to(#c4e3f3));\n background-image: linear-gradient(to bottom, #d9edf7 0%, #c4e3f3 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffd9edf7', endColorstr='#ffc4e3f3', GradientType=0);\n background-repeat: repeat-x;\n}\n.panel-warning > .panel-heading {\n background-image: -webkit-linear-gradient(top, #fcf8e3 0%, #faf2cc 100%);\n background-image: -o-linear-gradient(top, #fcf8e3 0%, #faf2cc 100%);\n background-image: -webkit-gradient(linear, left top, left bottom, from(#fcf8e3), to(#faf2cc));\n background-image: linear-gradient(to bottom, #fcf8e3 0%, #faf2cc 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#fffcf8e3', endColorstr='#fffaf2cc', GradientType=0);\n background-repeat: repeat-x;\n}\n.panel-danger > .panel-heading {\n background-image: -webkit-linear-gradient(top, #f2dede 0%, #ebcccc 100%);\n background-image: -o-linear-gradient(top, #f2dede 0%, #ebcccc 100%);\n background-image: -webkit-gradient(linear, left top, left bottom, from(#f2dede), to(#ebcccc));\n background-image: linear-gradient(to bottom, #f2dede 0%, #ebcccc 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#fff2dede', endColorstr='#ffebcccc', GradientType=0);\n background-repeat: repeat-x;\n}\n.well {\n background-image: -webkit-linear-gradient(top, #e8e8e8 0%, #f5f5f5 100%);\n background-image: -o-linear-gradient(top, #e8e8e8 0%, #f5f5f5 100%);\n background-image: -webkit-gradient(linear, left top, left bottom, from(#e8e8e8), to(#f5f5f5));\n background-image: linear-gradient(to bottom, #e8e8e8 0%, #f5f5f5 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffe8e8e8', endColorstr='#fff5f5f5', GradientType=0);\n background-repeat: repeat-x;\n border-color: #dcdcdc;\n -webkit-box-shadow: inset 0 1px 3px rgba(0, 0, 0, .05), 0 1px 0 rgba(255, 255, 255, .1);\n box-shadow: inset 0 1px 3px rgba(0, 0, 0, .05), 0 1px 0 rgba(255, 255, 255, .1);\n}\n",""])},2965:function(e,t,n){var r=n(2966);"string"==typeof r&&(r=[[e.i,r,""]]);var o={hmr:!0,transform:void 0,insertInto:void 0};n(293)(r,o);r.locals&&(e.exports=r.locals)},2966:function(e,t,n){var r=n(1991);(e.exports=n(292)(!1)).push([e.i,'@charset "UTF-8";\n.student-workspace.scoped-bootstrap:not(#modals-root) {\n padding: 0px;\n margin: 0;\n position: absolute;\n left: 0%;\n right: 0%;\n top: 0%;\n bottom: 0%;\n overflow: hidden;\n line-height: normal;\n font-family: "Open Sans", sans-serif; }\n .student-workspace.scoped-bootstrap:not(#modals-root) .theme_light {\n background-color: #ddd; }\n .student-workspace.scoped-bootstrap:not(#modals-root) .theme_dark {\n background-color: #657b83; }\n .student-workspace.scoped-bootstrap:not(#modals-root).inline {\n box-shadow: inset 0 -1px 0 0 #0F1820; }\n .student-workspace.scoped-bootstrap:not(#modals-root).attached {\n border-radius: 6px 6px 0 0; }\n\ncanvas {\n -webkit-touch-callout: none;\n outline: none;\n -webkit-tap-highlight-color: rgba(255, 255, 255, 0); }\n\nform {\n margin: 0px; }\n form input {\n line-height: normal; }\n\n.loading_backdrop {\n position: absolute;\n width: 100%;\n height: 100%;\n text-align: center;\n display: flex;\n align-items: center;\n justify-content: center;\n flex-direction: column;\n color: #999; }\n .theme_light .loading_backdrop {\n background-color: white; }\n .theme_dark .loading_backdrop {\n background-color: #657b83; }\n\n.unselectable {\n -moz-user-select: -moz-none;\n -khtml-user-select: none;\n -webkit-touch-callout: none;\n -webkit-user-select: none;\n -ms-user-select: none;\n user-select: none; }\n\n.hidden-xs-inline {\n display: inline-block !important; }\n @media (max-width: 767px) {\n .hidden-xs-inline {\n display: none !important; } }\n\n.student-workspace.scoped-bootstrap .btn {\n font-size: 12px;\n font-weight: 600;\n line-height: 24px;\n letter-spacing: 2px;\n white-space: normal;\n background-image: none;\n color: white;\n border: none; }\n .student-workspace.scoped-bootstrap .btn.btn-primary {\n text-shadow: none;\n background-color: #02B3E4;\n box-shadow: 12px 15px 20px 0 rgba(0, 0, 0, 0.1);\n transition: 0.2s box-shadow ease-in-out, 0.2s background-color ease-in-out, 0.2s border-color ease-in-out; }\n .student-workspace.scoped-bootstrap .btn.btn-primary:hover, .student-workspace.scoped-bootstrap .btn.btn-primary:focus, .student-workspace.scoped-bootstrap .btn.btn-primary:active {\n background-color: #148BB1;\n box-shadow: 2px 4px 8px 0 rgba(0, 0, 0, 0.1); }\n .student-workspace.scoped-bootstrap .btn.btn-default {\n text-shadow: none;\n background-color: #808080; }\n .student-workspace.scoped-bootstrap .btn.btn-default:hover, .student-workspace.scoped-bootstrap .btn.btn-default:focus, .student-workspace.scoped-bootstrap .btn.btn-default:active {\n background-color: #737373;\n color: white; }\n\n.theme_dark .tooltip .tooltip-arrow {\n border-bottom-color: #252525; }\n\n.theme_dark .tooltip .tooltip-inner {\n background-color: #252525; }\n\n.tooltip-subtitle {\n font-size: 85%;\n color: #bbb;\n text-transform: uppercase; }\n\n.student-workspace.scoped-bootstrap .navbar {\n min-height: 0;\n border: none; }\n\n.student-workspace.scoped-bootstrap .navbar-nav > li > a {\n padding-top: 10px;\n padding-bottom: 10px;\n text-shadow: none; }\n\n.student-workspace.scoped-bootstrap .navbar-brand,\n.student-workspace.scoped-bootstrap .navbar-nav > li > a {\n text-shadow: none; }\n\n.student-workspace.scoped-bootstrap .dropdown-submenu {\n position: relative; }\n .student-workspace.scoped-bootstrap .dropdown-submenu > .dropdown-menu {\n top: 0;\n left: 100%;\n margin-top: -6px;\n margin-left: -1px;\n -webkit-border-radius: 0 6px 6px 6px;\n -moz-border-radius: 0 6px 6px 6px;\n border-radius: 0 6px 6px 6px; }\n .student-workspace.scoped-bootstrap .dropdown-submenu > a:after {\n display: block;\n content: " ";\n float: right;\n width: 0;\n height: 0;\n border-color: transparent;\n border-style: solid;\n border-width: 5px 0 5px 5px;\n margin-top: 5px;\n margin-right: -10px; }\n\n.student-workspace.scoped-bootstrap .theme_light .dropdown-submenu > a:after {\n border-left-color: #555555; }\n\n.student-workspace.scoped-bootstrap .theme_dark .dropdown-submenu > a:after {\n border-left-color: #aaaaaa; }\n\n.student-workspace.scoped-bootstrap .dropdown-menu {\n margin: 0px;\n min-width: 220px; }\n\n.student-workspace.scoped-bootstrap .theme_light .dropdown-menu {\n background-color: #fff; }\n .student-workspace.scoped-bootstrap .theme_light .dropdown-menu a {\n color: #000; }\n .student-workspace.scoped-bootstrap .theme_light .dropdown-menu a:hover, .student-workspace.scoped-bootstrap .theme_light .dropdown-menu a:focus {\n background-image: none;\n background-color: #eee; }\n\n.student-workspace.scoped-bootstrap .theme_dark .dropdown-menu {\n background-color: #073642; }\n .student-workspace.scoped-bootstrap .theme_dark .dropdown-menu a {\n color: #93a1a1; }\n .student-workspace.scoped-bootstrap .theme_dark .dropdown-menu a:hover, .student-workspace.scoped-bootstrap .theme_dark .dropdown-menu a:focus {\n background-color: #586e75;\n color: #fdf6e3;\n background-image: none; }\n .student-workspace.scoped-bootstrap .theme_dark .dropdown-menu li.divider {\n background-color: #a0a0a0; }\n\n.student-workspace.scoped-bootstrap .navbar-default {\n -webkit-box-shadow: none !important;\n box-shadow: none !important; }\n\n.student-workspace.scoped-bootstrap .navbar-static-top {\n margin-bottom: 0; }\n\n.student-workspace.scoped-bootstrap .navbar {\n margin-bottom: 0;\n border-radius: 0px; }\n\n.student-workspace.scoped-bootstrap .nav-logged-out {\n color: #00f;\n background: 0 !important;\n background-image: none !important;\n -webkit-box-shadow: none !important;\n box-shadow: none !important;\n background: none !important;\n padding-top: 10px;\n padding-bottom: 10px; }\n\n.student-workspace.scoped-bootstrap .nav-logged-in {\n margin-bottom: 0 !important;\n margin-top: 0 !important;\n padding-bottom: 0 !important;\n min-height: 10px !important;\n font-size: 13px !important;\n font-style: normal !important;\n font-variant: normal !important;\n font-weight: bold !important; }\n\n.student-workspace.scoped-bootstrap .nav-logged-in a {\n padding: 10px 0 10px 15px !important;\n color: #364655 !important; }\n\n.student-workspace.scoped-bootstrap .nav-logged-out .link {\n padding: 10px 0 10px 10px !important; }\n\n.student-workspace.scoped-bootstrap .nav-logged-out .btn {\n margin-top: 5px;\n margin-bottom: 5px;\n padding: 5px 10px 5px 10px !important;\n margin-left: 10px; }\n\n.student-workspace.scoped-bootstrap .navbar-nav > li > .dropdown-menu {\n border-top-right-radius: 4px;\n border-top-left-radius: 4px; }\n\n.student-workspace.scoped-bootstrap .navbar-nav > li > .dropdown-menu.dropdown-popover {\n margin: 0;\n padding: 0;\n min-height: 80px;\n overflow-y: scroll; }\n\n.student-workspace.scoped-bootstrap .dropdown-loading-icon {\n position: absolute;\n top: 50%;\n left: 50%;\n font-size: 20px;\n margin: -10px;\n color: #999;\n z-index: -1; }\n\n.student-workspace.scoped-bootstrap iframe.dropdown-iframe {\n display: block;\n border-radius: 4px;\n border: none;\n outline: none;\n box-shadow: none;\n -moz-box-shadow: none;\n -webkit-box-shadow: none; }\n\n.student-workspace.scoped-bootstrap .featurette {\n padding: 40px;\n margin-bottom: 0; }\n\n.student-workspace.scoped-bootstrap .featurette:nth-of-type(even) {\n background: #e7e7e7 !important; }\n\n.student-workspace.scoped-bootstrap .featurette:nth-of-type(odd) {\n background: white !important; }\n\n.student-workspace.scoped-bootstrap hr.before_footer {\n margin: 40px 0; }\n\n.student-workspace.scoped-bootstrap .index-page #sign-up {\n display: none; }\n\n.student-workspace.scoped-bootstrap .nav-logged-out .btn-success {\n color: white !important; }\n\n.student-workspace.scoped-bootstrap .navbar-form {\n margin-top: 5px;\n margin-bottom: 5px; }\n\n.student-workspace.scoped-bootstrap .nav span.glyphicon {\n padding-bottom: 15px;\n margin-bottom: -15px; }\n\n#brand {\n color: #000;\n padding-top: 5px !important;\n padding-bottom: 5px !important;\n padding-right: 15px !important;\n border-right: 1px solid #e7e7e7; }\n\n.index_page .jumbotron {\n background: #000;\n color: #fff;\n background: -webkit-linear-gradient(right, gray, black);\n background: -moz-linear-gradient(right, gray, black);\n background: -o-linear-gradient(right, gray, black);\n background: -ms-linear-gradient(right, gray, black);\n background: linear-gradient(to left, gray, black); }\n\n.footer {\n text-align: center;\n padding: 30px 0;\n margin-top: 70px;\n border-top: 1px solid #e5e5e5;\n background-color: whitesmoke; }\n\n.footer p {\n margin-bottom: 0;\n color: #777777; }\n\n.footer-links {\n margin: 10px 0; }\n\n.footer-links li {\n display: inline;\n padding: 0 2px; }\n\n.footer-links li:first-child {\n padding-left: 0; }\n\n.thumbnail {\n padding: 10px; }\n\n.no_login_buttons .navbar-form {\n display: none; }\n\n.no_login_buttons #features {\n padding-right: 0px; }\n\n.student-workspace.scoped-bootstrap .button-navbar {\n font-size: 13px;\n width: 100%;\n margin-top: 0; }\n .student-workspace.scoped-bootstrap .button-navbar i {\n vertical-align: text-bottom; }\n .student-workspace.scoped-bootstrap .button-navbar > ul {\n text-align: center; }\n .student-workspace.scoped-bootstrap .button-navbar > ul > li {\n display: inline-block;\n line-height: 25px; }\n .student-workspace.scoped-bootstrap .button-navbar > ul > li.disabled {\n pointer-events: none; }\n .student-workspace.scoped-bootstrap .button-navbar > ul > li > a {\n padding: 5px 8px;\n background: none !important; }\n\n.theme_light .button-navbar {\n background-color: #FBFBFA;\n border-bottom: 1px solid #f0f0f0; }\n .theme_light .button-navbar, .theme_light .button-navbar a, .theme_light .button-navbar li {\n color: black; }\n .theme_light .button-navbar li:hover {\n background-color: #eee; }\n .theme_light .button-navbar li.active {\n background-color: #e8e8e8; }\n\n.theme_dark .button-navbar {\n background-color: #24323E; }\n .theme_dark .button-navbar, .theme_dark .button-navbar a, .theme_dark .button-navbar li {\n color: #93a1a1; }\n .theme_dark .button-navbar li > a:hover {\n background-color: #586e75; }\n\n.student-workspace.scoped-bootstrap {\n font-family: "Open Sans", sans-serif; }\n .student-workspace.scoped-bootstrap .modal-dialog {\n margin: 50px auto; }\n @media (max-width: 767px) {\n .student-workspace.scoped-bootstrap .modal-dialog {\n width: auto;\n margin: 40px 40px; } }\n .student-workspace.scoped-bootstrap .modal-content {\n overflow: hidden;\n border: none; }\n .student-workspace.scoped-bootstrap .modal-close {\n position: absolute;\n right: -30px;\n top: -42px;\n color: #337AB7;\n font-size: xx-large;\n font-weight: 300;\n line-height: 1;\n opacity: 1;\n cursor: pointer;\n text-shadow: none; }\n .student-workspace.scoped-bootstrap .theme_dark .modal-header {\n background-color: #073642;\n border-bottom: 1px solid #444444 !important;\n color: #888888; }\n .student-workspace.scoped-bootstrap .theme_dark .modal-body {\n color: #93a1a1;\n background-color: #073642; }\n .student-workspace.scoped-bootstrap .theme_light .modal-body {\n background-color: white;\n color: #525C65; }\n\n#text_shown {\n width: 100%;\n border: 1px;\n padding: 10px;\n margin: 10px; }\n .theme_light #text_shown {\n background-color: #eeeeee; }\n .theme_dark #text_shown {\n background-color: #111111; }\n\n#confirm_modal .modal-dialog {\n width: 400px; }\n #confirm_modal .modal-dialog p {\n margin: 5px 0 15px; }\n\n.student-workspace.scoped-bootstrap .context-menu-list {\n margin: 0;\n padding: 0;\n min-width: 120px;\n max-width: 250px;\n display: inline-block;\n position: fixed;\n list-style-type: none;\n overflow: hidden;\n border-radius: 4px;\n background: white;\n transform: translate(5px); }\n\n.student-workspace.scoped-bootstrap .context-menu-list .context-menu-item {\n padding: 6px 9px;\n position: relative;\n -webkit-user-select: none;\n -moz-user-select: -moz-none;\n -ms-user-select: none;\n user-select: none;\n cursor: default;\n line-height: 24px;\n font-size: 14px;\n font-weight: 600; }\n\n.context-menu-list .context-menu-item {\n color: #02B3E4; }\n .context-menu-list .context-menu-item:hover {\n background-color: #F4F6F8; }\n .context-menu-list .context-menu-item.disabled, .context-menu-list .context-menu-item.disabled:hover {\n color: #eee; }\n\n.context-menu-item.delete {\n color: #dc322f; }\n\n.student-workspace.scoped-bootstrap .context-menu-list .context-menu-item > label > input,\n.student-workspace.scoped-bootstrap .context-menu-list .context-menu-item > label > textarea {\n -webkit-user-select: text;\n -moz-user-select: text;\n -ms-user-select: text;\n user-select: text; }\n\n.student-workspace.scoped-bootstrap .context-menu-list .context-menu-item > .context-menu-list {\n display: none;\n right: -5px;\n top: 5px; }\n\n.student-workspace.scoped-bootstrap .context-menu-list .context-menu-item:hover > .context-menu-list {\n display: block; }\n\n.student-workspace.scoped-bootstrap .context-menu-list .context-menu-separator {\n height: 1px;\n padding: 0px;\n margin: 3px 0px;\n background-color: lightgray; }\n\n.student-workspace.scoped-bootstrap .context-menu-list .context-menu-submenu:after {\n content: ">";\n color: #444;\n position: absolute;\n top: 5px;\n right: 3px;\n z-index: 1; }\n\n.student-workspace.scoped-bootstrap .context-menu-list .context-menu-input > label,\n.student-workspace.scoped-bootstrap .context-menu-list .context-menu-input > label > input[type="text"],\n.student-workspace.scoped-bootstrap .context-menu-list .context-menu-input > label > textarea,\n.student-workspace.scoped-bootstrap .context-menu-list .context-menu-input > label > select {\n display: block;\n width: 100%;\n -webkit-box-sizing: border-box;\n -moz-box-sizing: border-box;\n -ms-box-sizing: border-box;\n -o-box-sizing: border-box;\n box-sizing: border-box; }\n\n.student-workspace.scoped-bootstrap .context-menu-list .context-menu-input > label > * {\n vertical-align: top; }\n\n.student-workspace.scoped-bootstrap .context-menu-list .context-menu-input > label > input[type="checkbox"],\n.student-workspace.scoped-bootstrap .context-menu-list .context-menu-input > label > input[type="radio"] {\n margin-left: -17px; }\n\n.student-workspace.scoped-bootstrap .context-menu-list .context-menu-input > label > span {\n margin-left: 5px; }\n\n.student-workspace.scoped-bootstrap .context-menu-list .context-menu-input > label > textarea {\n height: 100px; }\n\n.student-workspace.scoped-bootstrap .context-menu-list .context-menu-accesskey {\n text-decoration: underline; }\n\n.manager_pane {\n display: none; }\n\n.student-workspace.scoped-bootstrap .panel {\n padding: 0px;\n position: absolute;\n width: auto;\n height: auto;\n margin: 0;\n border-radius: 0;\n overflow: hidden;\n color: #24323E;\n z-index: auto; }\n\n.student-workspace.scoped-bootstrap .theme_light .panel {\n background-color: white;\n border: 1px solid #c8c8c8; }\n\n.student-workspace.scoped-bootstrap .theme_dark .panel {\n background-color: #24323E;\n border: 1px solid #1C262F; }\n\n.student-workspace.scoped-bootstrap .panel.active {\n border-color: #2aa198; }\n\n.student-workspace.scoped-bootstrap .panel .empty_panel {\n text-align: center;\n color: #DBE2E8;\n line-height: 24px;\n font-size: 14px;\n font-family: "Open Sans", sans-serif; }\n .student-workspace.scoped-bootstrap .panel .empty_panel.shell_terminal {\n height: 100%;\n display: flex;\n flex-direction: column;\n align-items: center;\n justify-content: center; }\n .student-workspace.scoped-bootstrap .panel .empty_panel .empty_icon {\n display: inline-block;\n height: 48px;\n width: 48px; }\n .student-workspace.scoped-bootstrap .panel .empty_panel .empty_icon.editor {\n background-image: url('+r(n(2967))+"); }\n .student-workspace.scoped-bootstrap .panel .empty_panel .empty_icon.terminal_shell {\n background-image: url("+r(n(2968))+'); }\n .student-workspace.scoped-bootstrap .panel .empty_panel .empty_message {\n margin-top: -5px; }\n .student-workspace.scoped-bootstrap .panel .empty_panel .empty_newtab {\n font-size: 12px;\n font-weight: 600;\n line-height: 24px;\n letter-spacing: 2px;\n white-space: normal;\n text-decoration: none;\n color: #02B3E4;\n display: inline-block;\n padding-top: 24px; }\n .student-workspace.scoped-bootstrap .panel .empty_panel .empty_newtab:hover, .student-workspace.scoped-bootstrap .panel .empty_panel .empty_newtab:focus, .student-workspace.scoped-bootstrap .panel .empty_panel .empty_newtab:active {\n color: #148BB1; }\n\n.student-workspace.scoped-bootstrap .panel_dock > a {\n cursor: pointer; }\n\n.student-workspace.scoped-bootstrap .tab_bar {\n left: 0;\n width: auto;\n padding: 1px 0;\n z-index: 2;\n top: 0;\n right: 0;\n height: 40px;\n margin: 0; }\n\n.student-workspace.scoped-bootstrap .theme_dark .tab_bar,\n.student-workspace.scoped-bootstrap .theme_dark .tab_bar .info_pane {\n background-color: #1C262F;\n border-bottom: 1px solid #1C262F; }\n\n.student-workspace.scoped-bootstrap .theme_light .tab_bar,\n.student-workspace.scoped-bootstrap .theme_light .tab_bar .info_pane {\n background-color: #eee; }\n\n.student-workspace.scoped-bootstrap .info_pane {\n z-index: 2;\n top: 0;\n right: 0;\n height: 40px;\n margin: 0;\n line-height: 40px;\n position: absolute; }\n\n.student-workspace.scoped-bootstrap .theme_light .info_pane {\n color: #aaa;\n border-left: 1px solid #ccc; }\n\n.student-workspace.scoped-bootstrap .theme_dark .info_pane {\n color: #888;\n border-left: 1px solid #555; }\n\n.student-workspace.scoped-bootstrap .tab.term {\n width: 205px; }\n\n.closetab {\n float: right;\n border-radius: 9px;\n width: 18px;\n height: 18px;\n line-height: 18px;\n font-size: 24px;\n margin: 10px 8px;\n text-align: center;\n color: #7D97AD; }\n .closetab:hover {\n color: #FFFFFF; }\n\n.student-workspace.scoped-bootstrap .tab {\n float: left;\n font-size: 14px;\n font-weight: 400;\n margin: 0;\n cursor: default;\n height: 39px;\n line-height: 17px;\n overflow: hidden;\n position: relative;\n color: #7D97AD; }\n .student-workspace.scoped-bootstrap .tab.active {\n display: block;\n margin-bottom: -4px;\n border-right: 2px solid #1C262F;\n border-left: 2px solid #1C262F; }\n .student-workspace.scoped-bootstrap .tab:hover {\n background: #344655;\n color: #FFFFFF; }\n\n.student-workspace.scoped-bootstrap .tab_title {\n margin: 8px 20px;\n line-height: 24px;\n display: inline-block; }\n\n.theme_dark .tab.active {\n background-color: #24323E;\n color: #FFFFFF;\n border-color: #24323E; }\n\n.student-workspace.scoped-bootstrap .tab.newtab {\n width: 48px;\n background-color: #1C262F;\n display: flex;\n align-items: center;\n justify-content: center; }\n .student-workspace.scoped-bootstrap .tab.newtab span {\n line-height: 16px;\n height: 21px;\n width: 19px;\n display: block;\n font-size: xx-large; }\n\n.student-workspace.scoped-bootstrap .theme_dark .tab.newtab:hover {\n color: #FFFFFF;\n background: #586e75; }\n\n.content_div {\n position: absolute;\n width: auto;\n height: auto;\n left: 0;\n top: 40px;\n right: 0;\n bottom: 0;\n overflow: hidden;\n white-space: nowrap;\n margin: 0;\n border: 0;\n font-family: "source-code-pro", monospace;\n font-size: 12px;\n font-style: normal;\n font-variant: normal;\n font-weight: normal;\n z-index: 1; }\n\n.resize {\n position: absolute;\n display: block;\n opacity: 0;\n z-index: 9;\n color-profile: sRGB;\n border: 1px solid red;\n background: red; }\n\n.resize_x {\n cursor: ew-resize;\n height: auto;\n right: auto; }\n\n.resize_y {\n cursor: ns-resize;\n width: auto;\n bottom: auto; }\n\n.cm-s-udacity {\n z-index: 1; }\n\n#files_modal *:not(input.field) {\n -moz-user-select: -moz-none;\n -khtml-user-select: none;\n -webkit-touch-callout: none;\n -webkit-user-select: none;\n -ms-user-select: none;\n user-select: none; }\n\n#files_modal .modal-body {\n padding: 0; }\n\n#files_modal #files_modal_name_select {\n box-shadow: 0 0 15px 0 rgba(46, 61, 73, 0.2);\n padding: 20px;\n width: 100%;\n display: flex;\n flex-direction: row; }\n #files_modal #files_modal_name_select .files-modal--input {\n flex-grow: 1;\n margin-right: 16px; }\n #files_modal #files_modal_name_select .files-modal--submit {\n flex-basis: 168px; }\n\n#files_modal .modal-content {\n overflow: hidden; }\n\n#files_modal td.file_dropdown {\n pointer-events: none;\n visibility: hidden; }\n\n#files_modal .files-modal-table-container {\n padding: 10px 32px 0px;\n overflow-y: auto;\n height: 320px; }\n\n#files_modal #react-file-list {\n table-layout: fixed; }\n\n#files_modal #files_modal_display {\n margin-bottom: 20px;\n width: 100%;\n cursor: default; }\n #files_modal #files_modal_display th {\n font-family: "Open Sans", sans-serif;\n font-weight: 600;\n font-size: 12px;\n letter-spacing: 2px;\n color: #525C65;\n text-transform: uppercase; }\n .theme_light #files_modal #files_modal_display th {\n border-bottom: 1px solid #DBE2E8 !important; }\n .theme_dark #files_modal #files_modal_display th {\n border-bottom: 1px solid #444 !important; }\n #files_modal #files_modal_display td, #files_modal #files_modal_display th {\n border: 0 !important;\n white-space: nowrap; }\n #files_modal #files_modal_display td.file_name, #files_modal #files_modal_display th.file_name {\n padding-left: 12px;\n user-select: none;\n line-height: 18px; }\n #files_modal #files_modal_display td.file_name a, #files_modal #files_modal_display th.file_name a {\n display: inline-block; }\n .theme_dark #files_modal #files_modal_display td.file_name a,\n .theme_light #files_modal #files_modal_display td.file_name a, .theme_dark #files_modal #files_modal_display th.file_name a,\n .theme_light #files_modal #files_modal_display th.file_name a {\n color: inherit; }\n #files_modal #files_modal_display td.file_name a:hover, #files_modal #files_modal_display td.file_name a:focus, #files_modal #files_modal_display th.file_name a:hover, #files_modal #files_modal_display th.file_name a:focus {\n text-decoration: none; }\n #files_modal #files_modal_display td .file_name_text, #files_modal #files_modal_display th .file_name_text {\n margin: 0 8px 0 10px; }\n #files_modal #files_modal_display td.file_size, #files_modal #files_modal_display th.file_size {\n width: 20%; }\n #files_modal #files_modal_display td.file_mtime, #files_modal #files_modal_display th.file_mtime {\n width: 20%; }\n .theme_light #files_modal #files_modal_display tr.active td, .theme_light #files_modal #files_modal_display tr.active th, .theme_light #files_modal #files_modal_display tr.context-menu-active td, .theme_light #files_modal #files_modal_display tr.context-menu-active th {\n background-color: #FAFBFC; }\n .theme_dark #files_modal #files_modal_display tr.active td, .theme_dark #files_modal #files_modal_display tr.active th, .theme_dark #files_modal #files_modal_display tr.context-menu-active td, .theme_dark #files_modal #files_modal_display tr.context-menu-active th {\n background-color: #344655; }\n .theme_dark #files_modal #files_modal_display tr {\n color: #DBE2E8; }\n .theme_light #files_modal #files_modal_display tr {\n color: #525C65; }\n .theme_light #files_modal #files_modal_display tr td.active, .theme_light #files_modal #files_modal_display tr th.active {\n background-color: #bde3f7; }\n .theme_dark #files_modal #files_modal_display tr td.active, .theme_dark #files_modal #files_modal_display tr th.active {\n background-color: #014b72; }\n #files_modal #files_modal_display .nav {\n margin-bottom: 0px; }\n #files_modal #files_modal_display .navbar {\n box-shadow: 0 0 15px 0 rgba(46, 61, 73, 0.2);\n height: 60px;\n padding: 20px; }\n #files_modal #files_modal_display .modal--back-arrow {\n display: inline-block;\n margin-left: 32px;\n list-style: none;\n color: #02B3E4; }\n #files_modal #files_modal_display .breadcrumbs {\n list-style: none;\n font-size: 14px;\n line-height: 22px;\n margin: 0px;\n display: inline-block; }\n .theme_dark #files_modal #files_modal_display .breadcrumbs > li {\n color: #7D97AD;\n display: inline-block; }\n .theme_dark #files_modal #files_modal_display .breadcrumbs > li a {\n text-decoration: none;\n color: #7D97AD; }\n .theme_dark #files_modal #files_modal_display .breadcrumbs > li:last-child {\n color: #FFFFFF;\n font-weight: 600; }\n .theme_light #files_modal #files_modal_display .breadcrumbs > li {\n color: #525C65;\n opacity: 0.8;\n display: inline-block; }\n .theme_light #files_modal #files_modal_display .breadcrumbs > li a {\n text-decoration: none;\n color: #525C65; }\n .theme_light #files_modal #files_modal_display .breadcrumbs > li span {\n color: #525C65; }\n .theme_light #files_modal #files_modal_display .breadcrumbs > li:last-child {\n color: #525C65;\n opacity: 1;\n font-weight: 600; }\n #files_modal #files_modal_display .breadcrumbs .divider {\n padding: 0 3px;\n color: #7D97AD; }\n\n#files_modal #modal_files .file_name {\n text-overflow: ellipsis;\n overflow: hidden; }\n\n#files_modal #files_modal_submit {\n margin-left: 10px;\n height: 48px;\n width: 100%; }\n\n#files_modal #files_modal_input {\n height: 48px;\n width: 100%;\n padding: 16px;\n line-height: 16px;\n box-shadow: 5px 5px 10px 0 rgba(0, 0, 0, 0.05); }\n\n.files-panel {\n position: absolute;\n width: auto;\n overflow: hidden;\n top: 0%;\n right: 90%;\n bottom: 0%;\n left: 0%;\n font-size: 14px; }\n .files-panel #files_container_inner {\n height: 100%;\n display: flex;\n flex-direction: column;\n margin: 0 15px;\n cursor: default; }\n @media (max-width: 1040px) {\n .files-panel #files_container_inner {\n margin: 0 5px; } }\n .files-panel #files_container_inner #files_navbar {\n display: flex;\n border-bottom: 1px solid #0F1820; }\n .files-panel #files_container_inner #files_toolbar {\n display: flex;\n flex-direction: row;\n width: 100%;\n color: #DBE2E8; }\n .files-panel #files_container_inner #files_toolbar li, .files-panel #files_container_inner #files_toolbar a {\n color: inherit; }\n .files-panel #files_container_inner #files_toolbar span {\n font-size: medium; }\n @media (max-width: 1040px) {\n .files-panel #files_container_inner #files_toolbar span {\n font-size: small; } }\n .files-panel #files_container_inner #files_toolbar .navigate_up {\n margin-right: auto; }\n .files-panel #files_container_inner #myCrumbs {\n flex-grow: 0;\n flex-shrink: 0;\n margin: 10px 0; }\n .files-panel #files_container_inner .breadcrumbs {\n list-style: none;\n font-size: 14px;\n line-height: 22px;\n margin: 0px; }\n .theme_dark .files-panel #files_container_inner .breadcrumbs > li {\n color: #7D97AD;\n display: inline-block; }\n .theme_dark .files-panel #files_container_inner .breadcrumbs > li a {\n text-decoration: none;\n color: #7D97AD; }\n .theme_dark .files-panel #files_container_inner .breadcrumbs > li:last-child {\n color: #FFFFFF;\n font-weight: 600; }\n .theme_light .files-panel #files_container_inner .breadcrumbs > li {\n color: #525C65;\n opacity: 0.8;\n display: inline-block; }\n .theme_light .files-panel #files_container_inner .breadcrumbs > li a {\n text-decoration: none;\n color: #525C65; }\n .theme_light .files-panel #files_container_inner .breadcrumbs > li span {\n color: #525C65; }\n .theme_light .files-panel #files_container_inner .breadcrumbs > li:last-child {\n color: #525C65;\n opacity: 1;\n font-weight: 600; }\n .files-panel #files_container_inner .breadcrumbs .divider {\n padding: 0 3px;\n color: #7D97AD; }\n .files-panel #files_container_inner .files-table-wrapper {\n flex-grow: 1;\n overflow: auto;\n margin-right: -32px; }\n .files-panel #files_container_inner .files-table-wrapper .files-table {\n margin-bottom: 0px !important; }\n .files-panel #files_container_inner th {\n font-family: "Open Sans", sans-serif;\n font-weight: 600;\n font-size: 12px;\n letter-spacing: 2px;\n color: #525C65;\n text-transform: uppercase; }\n .theme_light .files-panel #files_container_inner th {\n border-bottom: 1px solid #DBE2E8 !important; }\n .theme_dark .files-panel #files_container_inner th {\n border-bottom: 1px solid #444 !important; }\n .files-panel #files_container_inner td, .files-panel #files_container_inner th {\n border: 0 !important;\n white-space: nowrap; }\n .files-panel #files_container_inner td.file_name, .files-panel #files_container_inner th.file_name {\n padding-left: 12px;\n user-select: none;\n line-height: 18px; }\n .files-panel #files_container_inner td.file_name a, .files-panel #files_container_inner th.file_name a {\n display: inline-block; }\n .theme_dark .files-panel #files_container_inner td.file_name a,\n .theme_light .files-panel #files_container_inner td.file_name a, .theme_dark .files-panel #files_container_inner th.file_name a,\n .theme_light .files-panel #files_container_inner th.file_name a {\n color: inherit; }\n .files-panel #files_container_inner td.file_name a:hover, .files-panel #files_container_inner td.file_name a:focus, .files-panel #files_container_inner th.file_name a:hover, .files-panel #files_container_inner th.file_name a:focus {\n text-decoration: none; }\n .files-panel #files_container_inner td .file_name_text, .files-panel #files_container_inner th .file_name_text {\n margin: 0 8px 0 10px; }\n .files-panel #files_container_inner td.file_size, .files-panel #files_container_inner th.file_size {\n width: 20%; }\n .files-panel #files_container_inner td.file_mtime, .files-panel #files_container_inner th.file_mtime {\n width: 20%; }\n .theme_light .files-panel #files_container_inner tr.active td, .theme_light .files-panel #files_container_inner tr.active th, .theme_light .files-panel #files_container_inner tr.context-menu-active td, .theme_light .files-panel #files_container_inner tr.context-menu-active th {\n background-color: #FAFBFC; }\n .theme_dark .files-panel #files_container_inner tr.active td, .theme_dark .files-panel #files_container_inner tr.active th, .theme_dark .files-panel #files_container_inner tr.context-menu-active td, .theme_dark .files-panel #files_container_inner tr.context-menu-active th {\n background-color: #344655; }\n .theme_dark .files-panel #files_container_inner tr {\n color: #DBE2E8; }\n .theme_light .files-panel #files_container_inner tr {\n color: #525C65; }\n .theme_light .files-panel #files_container_inner tr td.active, .theme_light .files-panel #files_container_inner tr th.active {\n background-color: #bde3f7; }\n .theme_dark .files-panel #files_container_inner tr td.active, .theme_dark .files-panel #files_container_inner tr th.active {\n background-color: #014b72; }\n .files-panel #files_container_inner tbody.files_list {\n width: 100%;\n bottom: 0;\n left: 0;\n right: 0;\n margin: 0;\n padding: 0; }\n\n#uploader {\n bottom: 0;\n left: 0;\n right: 0; }\n .theme_light #uploader {\n border-top: 1px solid #e5e5e5;\n background: #fbfbfa; }\n .theme_dark #uploader {\n border-top: 1px solid #1C262F;\n background: #24323E; }\n #uploader p {\n color: #7D97AD; }\n #uploader a.btn {\n font-size: 12px;\n line-height: 24px;\n letter-spacing: 2px;\n white-space: normal;\n font-family: "Open Sans", sans-serif; }\n @media (max-width: 1040px) {\n #uploader a.btn {\n font-size: 10px;\n line-height: 14px; } }\n\n#upload_alerts {\n margin-bottom: 10px; }\n #upload_alerts .alert {\n position: relative;\n font-size: 90%;\n padding: 8px 10px 6px;\n margin: 10px 10px 0; }\n #upload_alerts .alert.alert-dismissable .close {\n position: absolute;\n top: 5px;\n right: 5px; }\n #upload_alerts .alert strong {\n display: inline-block;\n margin-bottom: -3px;\n max-width: 100%;\n white-space: nowrap;\n text-overflow: ellipsis;\n overflow: hidden; }\n\n#upload_list {\n position: relative; }\n #upload_list > * {\n padding: 10px; }\n .theme_light #upload_list > * {\n border-top: 1px solid #e5e5e5; }\n .theme_dark #upload_list > * {\n border-top: 1px solid #444; }\n #upload_list .actions {\n display: inline-block;\n text-overflow: ellipsis;\n overflow: hidden;\n max-width: 100%; }\n .theme_light #upload_list .actions, .theme_light #upload_list .actions a {\n color: #444; }\n .theme_dark #upload_list .actions, .theme_dark #upload_list .actions a {\n color: #839496; }\n .theme_light #upload_list .actions .filename {\n color: black; }\n .theme_dark #upload_list .actions .filename {\n color: #eee; }\n #upload_list .actions a {\n font-size: 85%; }\n #upload_list .progress {\n height: 10px;\n margin: 5px 0; }\n\n.CodeMirror {\n height: calc(100% - 58px);\n overflow: visible; }\n\n.editor {\n height: calc(100% - 50px);\n display: flex;\n align-items: center;\n justify-content: center; }\n\n.editor-loading {\n user-select: none;\n pointer-events: none;\n opacity: 0.5;\n background-color: grey;\n height: calc(100% - 30px);\n width: 100%;\n position: absolute;\n z-index: 5;\n text-align: center; }\n\n.editor-loading.hidden {\n display: none; }\n\n.editor-remote-selection-background-0 {\n background-color: #b58900; }\n\n.editor-remote-selection-background-1 {\n background-color: #268bd2; }\n\n.editor-remote-selection-background-2 {\n background-color: #cb4b16; }\n\n.editor-remote-selection-background-3 {\n background-color: #dc322f; }\n\n.editor-remote-selection-background-4 {\n background-color: #6c71c4; }\n\n.editor-remote-selection-background-5 {\n background-color: #859900; }\n\n.editor-tabs-wrapper .editor-tabs {\n width: 100%; }\n\n.editor-tabs-wrapper .overflow-tab {\n display: none; }\n\n.editor-tabs-wrapper.hasOverflow .editor-tabs {\n width: calc(100% - 20px); }\n\n.editor-tabs-wrapper.hasOverflow .overflow-tab {\n display: block; }\n\n.editor-tabs-wrapper .editor-tabs {\n display: flex;\n flex-direction: row;\n flex-wrap: nowrap; }\n .editor-tabs-wrapper .editor-tabs .tab {\n flex-basis: 50px;\n flex-grow: 1;\n max-width: 200px; }\n .editor-tabs-wrapper .editor-tabs .tab:first-child {\n border-left: 0px; }\n .editor-tabs-wrapper .editor-tabs .tab:last-child {\n border-right: 0px; }\n\n.editor_tab {\n display: flex;\n flex-direction: row;\n flex-wrap: nowrap; }\n .editor_tab .editor_tab_text {\n margin: 8px 20px;\n line-height: 24px;\n display: inline-block;\n overflow: hidden;\n text-overflow: ellipsis;\n white-space: nowrap;\n flex-grow: 1; }\n .editor_tab .editor_tab_members {\n flex-basis: 10px; }\n .editor_tab .closetab {\n flex-basis: 20px; }\n\n.editor_tab_members {\n display: none; }\n\n.overflow-tab {\n position: absolute;\n top: 0;\n right: 0;\n width: 20px;\n display: inline-block;\n height: 30px;\n vertical-align: top;\n background-color: #a9a9a9; }\n .overflow-tab:before {\n content: "\\F054";\n font-family: "FontAwesome";\n font-size: 12px;\n width: 20px;\n display: inline-block;\n text-align: center;\n line-height: 30px;\n color: white; }\n\n.overflow-tab.active:before {\n content: "\\F078"; }\n\n.overflow-dropdown {\n position: absolute;\n right: 0px;\n background-color: white;\n z-index: 10001;\n list-style-type: none;\n padding-left: 0;\n width: 200px;\n box-shadow: 0 2px 6px 0 rgba(46, 60, 73, 0.2); }\n .overflow-dropdown li {\n padding: 5px 10px; }\n .overflow-dropdown li.active, .overflow-dropdown li:hover {\n background-color: #2aa198;\n color: white; }\n\n#browser_container .html_button {\n position: absolute;\n padding: 8px;\n height: 32px;\n width: 29px;\n cursor: pointer;\n z-index: 1; }\n .theme_light #browser_container .html_button {\n color: black;\n background: #fbfbfa;\n border: 1px solid #dedede;\n border-top: none;\n border-left: none; }\n .theme_light #browser_container .html_button:hover, .theme_light #browser_container .html_button:focus {\n background: #eee; }\n .theme_dark #browser_container .html_button {\n color: #93a1a1;\n background: #24323E;\n border: 1px solid #586e75;\n border-top: none;\n border-left: none; }\n .theme_dark #browser_container .html_button:hover, .theme_dark #browser_container .html_button:focus {\n background: #839496;\n color: #24323E; }\n\n#browser_container #html_form_container {\n position: relative;\n padding-left: 58px; }\n\n#browser_container #html_url_input {\n width: 100%;\n height: 32px;\n padding-left: 7px;\n outline: none;\n border: none; }\n .theme_light #browser_container #html_url_input {\n border-bottom: 1px solid #dddddd; }\n .theme_dark #browser_container #html_url_input {\n border-bottom: 1px solid #586e75;\n background: #073642;\n color: #839496; }\n\n#browser_container .html_frame {\n box-shadow: none;\n border: none;\n outline: none;\n width: 100%;\n height: 100%; }\n\n#browser_container #html_content_div {\n top: 56px; }\n .theme_light #browser_container #html_content_div {\n background: white; }\n .theme_dark #browser_container #html_content_div {\n background: #24323E; }\n\n.hotkeys-div {\n text-align: center; }\n\n.hotkeys-config {\n background-color: #eee;\n border: 1px solid #ddd;\n line-height: 1.4;\n resize: none;\n width: 100%;\n overflow-y: scroll; }\n @media (min-height: 600px) {\n .hotkeys-config {\n max-height: 457px; } }\n @media (min-height: 800px) {\n .hotkeys-config {\n max-height: 557px; } }\n @media (min-height: 1000px) {\n .hotkeys-config {\n max-height: 757px; } }\n\n.binding-input {\n width: 92%;\n display: inline-block;\n border-left: none;\n border-right: 1px solid #f0f0f0;\n border-top: none;\n text-align: center;\n border-bottom: none; }\n\n.empty {\n width: 100%; }\n\n.hotkey-delete {\n width: 8%;\n height: 19px;\n position: relative; }\n\n.manager-div {\n text-align: left;\n background-color: #F5F5F5;\n padding: 3px; }\n\n.hotkey-div {\n border-top: 2px solid #f0f0f0; }\n\n.command-container {\n display: inline-block;\n width: 50%;\n vertical-align: top;\n margin-top: 2px; }\n\n.command-div {\n width: 92%;\n display: inline-block; }\n\n.add-div {\n width: 8%;\n height: 19px;\n position: relative; }\n\n.bindings-div {\n width: 50%;\n text-align: center;\n display: inline-block;\n margin-right: 0px;\n margin-left: auto;\n border-left: #f0f0f0 1px solid; }\n\n.hotkeys-message {\n color: red;\n margin-bottom: 8px; }\n\n.add-defaults {\n float: right; }\n\n.add-defaults-container {\n margin-bottom: 10px;\n cursor: pointer; }\n\n.paste-mode-check {\n text-align: left;\n margin-left: 25%; }\n\n.hotkey-field-hr {\n margin: 0px;\n width: 100%;\n border-color: #f0f0f0; }\n\n.loader {\n border-radius: 50%;\n color: #02b3e4;\n font-size: 11px;\n text-indent: -99999em;\n margin: 25px auto;\n position: relative;\n width: 10em;\n height: 10em;\n box-shadow: inset 0 0 0 1em;\n -webkit-transform: translateZ(0);\n -ms-transform: translateZ(0);\n transform: translateZ(0); }\n .loader:before, .loader:after {\n border-radius: 50%; }\n .loader:before, .loader:after {\n position: absolute;\n content: ""; }\n .loader:before {\n width: 5.2em;\n height: 10.2em;\n background: white;\n border-radius: 10.2em 0 0 10.2em;\n top: -0.1em;\n left: -0.1em;\n -webkit-transform-origin: 5.2em 5.1em;\n transform-origin: 5.2em 5.1em;\n -webkit-animation: load2 2s infinite ease 1.5s;\n animation: load2 2s infinite ease 1.5s; }\n .loader:after {\n width: 5.2em;\n height: 10.2em;\n background: white;\n border-radius: 0 10.2em 10.2em 0;\n top: -0.1em;\n left: 5.1em;\n -webkit-transform-origin: 0px 5.1em;\n transform-origin: 0px 5.1em;\n -webkit-animation: load2 2s infinite ease;\n animation: load2 2s infinite ease; }\n\n@-webkit-keyframes load2 {\n 0% {\n -webkit-transform: rotate(0deg);\n transform: rotate(0deg); }\n 100% {\n -webkit-transform: rotate(360deg);\n transform: rotate(360deg); } }\n\n@keyframes load2 {\n 0% {\n -webkit-transform: rotate(0deg);\n transform: rotate(0deg); }\n 100% {\n -webkit-transform: rotate(360deg);\n transform: rotate(360deg); } }\n\n.editor-navbar {\n display: none; }\n\n.editor-container {\n border: none;\n background-color: #002b36; }\n .editor-container .navbar {\n position: absolute;\n bottom: 0;\n z-index: 2;\n width: 100%; }\n\n.overflow-tab {\n background-color: #1c262f;\n height: 39px;\n width: 21px; }\n .overflow-tab:before {\n line-height: 40px;\n color: white; }\n\n.overflow-dropdown {\n border-radius: 4px;\n top: 39px;\n padding: 3px 0;\n color: #2e3d49; }\n .overflow-dropdown li:hover, .overflow-dropdown li:active {\n background-color: #02ccba; }\n\n/*\n\n Name: udacity\n Author: Jocelyn\n\n Original seti color scheme by Jesse Weed (https://github.com/jesseweed/seti-syntax)\n Original color scheme has been edited to match Udacity colors\n\n*/\n.cm-s-udacity.CodeMirror {\n background-color: #24323E;\n color: #DBE2E8;\n border: none; }\n\n.cm-s-udacity .CodeMirror-wrap {\n /* enable rc-tooltip menu with z-index 1070 to render on top of this\n * tested in edge on windows10\n */\n z-index: 10; }\n\n.cm-s-udacity .CodeMirror-gutters {\n color: #95ADC1;\n background-color: #24323E;\n border: none; }\n\n.cm-s-udacity .CodeMirror-cursor {\n border-left: solid 2px #02B3E4; }\n\n.cm-s-udacity .CodeMirror-linenumber {\n color: #95ADC1;\n line-height: 24px; }\n\n.cm-s-udacity pre.CodeMirror-line {\n font-family: "source-code-pro", monospace;\n font-size: 14px;\n line-height: 24px; }\n\n.cm-s-udacity .CodeMirror-lines {\n padding: 0px; }\n\n.cm-s-udacity.CodeMirror-focused div.CodeMirror-selected {\n background: #3A4F5F; }\n\n.cm-s-udacity .CodeMirror-line::selection, .cm-s-udacity .CodeMirror-line > span::selection, .cm-s-udacity .CodeMirror-line > span > span::selection {\n background: rgba(255, 255, 255, 0.1); }\n\n.cm-s-udacity .CodeMirror-line::-moz-selection, .cm-s-udacity .CodeMirror-line > span::-moz-selection, .cm-s-udacity .CodeMirror-line > span > span::-moz-selection {\n background: rgba(255, 255, 255, 0.1); }\n\n.cm-s-udacity span.cm-comment {\n color: #7D97AD; }\n\n.cm-s-udacity span.cm-string, .cm-s-udacity span.cm-string-2 {\n color: #D38BFF; }\n\n.cm-s-udacity span.cm-number {\n color: #FF7D7D; }\n\n.cm-s-udacity span.cm-variable {\n color: #DBE2E8; }\n\n.cm-s-udacity span.cm-variable-2 {\n color: #02CCBA; }\n\n.cm-s-udacity span.cm-def {\n color: #D38BFF; }\n\n.cm-s-udacity span.cm-keyword {\n color: #ff79c6; }\n\n.cm-s-udacity span.cm-operator {\n color: #9fca56; }\n\n.cm-s-udacity span.cm-keyword {\n color: #e6cd69; }\n\n.cm-s-udacity span.cm-atom {\n color: #FF7D7D; }\n\n.cm-s-udacity span.cm-meta {\n color: #D38BFF; }\n\n.cm-s-udacity span.cm-tag {\n color: #D38BFF; }\n\n.cm-s-udacity span.cm-attribute {\n color: #9fca56; }\n\n.cm-s-udacity span.cm-qualifier {\n color: #9fca56; }\n\n.cm-s-udacity span.cm-property {\n color: #02CCBA; }\n\n.cm-s-udacity span.cm-variable-3, .cm-s-udacity span.cm-type {\n color: #9fca56; }\n\n.cm-s-udacity span.cm-builtin {\n color: #9fca56; }\n\n.cm-s-udacity .CodeMirror-activeline-background {\n background: #344655; }\n\n.cm-s-udacity .CodeMirror-matchingbracket {\n text-decoration: underline;\n color: white !important; }\n\n/* Make tabs visible. See http://codemirror.net/demo/visibletabs.html */\n.cm-s-udacity span.cm-tab {\n background: url(data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAADAAAAAMCAYAAAAkuj5RAAAACXBIWXMAAAsTAAALEwEAmpwYAAAAYElEQVRIx+2UMQ6AMAwDzwixdGBgqAT//xojW2cz0MIbgnJLFHmJZSuQJP/HtmxX20vfj6FNEQxIMtCAYeK9e7a9BwpDQO3zMSDpDFKjAmw9iRKqQrYFrECTdOVXSJKPG893HnQdCN1BAAAAAElFTkSuQmCC);\n background-position: right;\n background-repeat: no-repeat; }\n\n/* class-web styles/app.scss overrides cm defaults making search text unreadable */\n.cm-s-udacity.CodeMirror.CodeMirror-wrap .CodeMirror-dialog\ninput:not([type=button]):not([type=submit]):not([type=checkbox]):not([type=radio]):not([role=combobox]) {\n /* copied from codemirror/addon/dialog.css#.CodeMirror-dialog */\n border: none;\n outline: none;\n background: transparent;\n width: 20em;\n color: inherit;\n font-family: monospace;\n /* added to override additional styles */\n box-shadow: none; }\n\n/* overrides cm default yellowish highlighting of terms that match search */\n.cm-s-udacity .cm-searching {\n background-color: #02b3e4; }\n',""])},2967:function(e,t,n){e.exports=n.p+"images/code-editor-empty-30225.svg"},2968:function(e,t,n){e.exports=n.p+"images/shell-editor-empty-31400.svg"},2969:function(e,t,n){"use strict";(function(e){Object.defineProperty(t,"__esModule",{value:!0}),t.default=t.Socket=void 0;var r,o,i=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var n=arguments[t];for(var r in n)Object.prototype.hasOwnProperty.call(n,r)&&(e[r]=n[r])}return e},a=function(){function e(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}return function(t,n,r){return n&&e(t.prototype,n),r&&e(t,r),t}}(),s=u(n(1676)),l=u(n(485)),c=n(3236);function u(e){return e&&e.__esModule?e:{default:e}}function p(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}n(1719);var d=t.Socket=(o=r=function(){function t(e,n){var r=this,o=arguments.length>2&&void 0!==arguments[2]?arguments[2]:{},i=o.retryLimit,a=void 0===i?120:i,s=o.retryInterval,c=void 0===s?1e3:s,u=o.raw,d=void 0!==u&&u;p(this,t),this.url=e,this.route=n,this.ws=new WebSocket(e+"/"+n),this.events=new l.default,this.ws.onmessage=function(e){return r.events.emit("message",e)},this.ws.onopen=function(e){return r.events.emit("open",e)},this.ws.onerror=function(e){return r.onErrorEvents(e)},this.ws.onclose=function(e){return r.events.emit("close",e)},this.callbackTable={},this.closed=!1,this.retryCount=0,this.events.on("close",function(){if(!r.closed){if(r.retryCount+=1,r.retryCount>=a)return console.error("Hit the retry limit of "+a+" while trying to connect to "+r.route+" on "+r.url),r.close();var e={data:JSON.stringify({type:"disconnect",data:"socket close will reconnect in 1 sec"})};r.events.emit("message",e),setTimeout(function(){return r.reconnect()},c)}}),d||this.events.on("message",function(e){var n=e.data,o=void 0;try{o=JSON.parse(n)}catch(e){return void console.error("Received message that failed to parse",n)}if(o.type===t.callbackType){if(!o.callbackId)return void console.warn("Received callback message without a callbackId",o);var i=r.callbackTable[o.callbackId];i&&(delete r.callbackTable[o.callbackId],i.apply(void 0,function(e){if(Array.isArray(e)){for(var t=0,n=Array(e.length);t<e.length;t++)n[t]=e[t];return n}return Array.from(e)}(o.args)))}else r.events.emit("parsed-message",o)})}return a(t,[{key:"reconnect",value:function(e){var t=this;e&&(this.route=e),this.ws=new WebSocket(this.url+"/"+this.route),this.ws.onmessage=function(e){return t.events.emit("message",e)},this.ws.onopen=function(e){return t.events.emit("open",e)},this.ws.onerror=function(e){return t.onErrorEvents(e)},this.ws.onclose=function(e){return t.events.emit("close",e)},this.events.once("open",function(){return t.events.emit("reconnected")})}},{key:"onErrorEvents",value:function(e){var t=e&&e.target?e.target:{};3===t.readyState||this.events.emit("error","Error thrown in Webterminal Socket "+t.url)}},{key:"onOpen",value:function(){var t=this;return new e(function(e,n){if(1===t.ws.readyState)return e(t);if(0===t.ws.readyState)t.events.once("open",function(){return e(t)}),t.events.once("error",function(e){return n(e)});else{if(t.closed)return n(new Error("Socket already closed."));t.events.once("open",function(){return e(t)}),t.events.once("error",function(e){return n(e)})}})}},{key:"listen",value:function(e){var t=this;return this.events.on("parsed-message",e),function(){t.events.removeListener("parsed-message",e)}}},{key:"listenOnce",value:function(){var t=this;return new e(function(e){t.events.once("parsed-message",e)})}},{key:"listenChannel",value:function(){var e=this;return(0,c.eventChannel)(function(t){var n=e.listen(t);return e.events.once("final-close",function(){return t(c.END)}),n})}},{key:"sendRaw",value:function(e){var t=this;this.onOpen().then(function(){return t.ws.send(e)})}},{key:"send",value:function(){var e=this,t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},n=arguments[1],r=t.type+"-"+t.client_id+"-"+s.default.v4().slice(0,8);n&&"presence"!==t.type&&(this.callbackTable[r]=n,t=i({},t,{callbackId:r})),this.onOpen().then(function(){return e.ws.send(JSON.stringify(t))})}},{key:"sendAsync",value:function(t){var n=this;return new e(function(e){n.send(t,function(){for(var t=arguments.length,n=Array(t),r=0;r<t;r++)n[r]=arguments[r];return e(n)})})}},{key:"close",value:function(){this.closed=!0,this.ws.close(),this.events.emit("final-close")}}]),t}(),r.callbackType="web-terminal/socket/callback",o),f=function(){function e(t){var n;p(this,e),this.url=(n=t).startsWith("/")?window.location.origin+n.slice(1):n.startsWith(":")?window.location.protocol+"//"+window.location.hostname+n:n;var r="https"===this.url.split("://")[0];this.socketUrl=(r?"wss":"ws")+"://"+this.url.split("//")[1]}return a(e,[{key:"connect",value:function(e,t){return new d(this.socketUrl,e,t)}},{key:"subdomain",value:function(e){return this.url.split(":")[0]+"://"+e+"."+this.url.split("//")[1]}},{key:"http",value:function(e){var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};return fetch(this.url+"/"+e,i({headers:{"Content-Type":"application/json"},credentials:"include"},t))}},{key:"get",value:function(e){var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};return this.http(e,i({method:"GET"},t))}},{key:"post",value:function(e){var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};return this.http(e,i({method:"POST"},t))}},{key:"port",value:function(e,t){var n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:{};return this.get("ports/"+e+"/"+t,n)}},{key:"exec",value:function(e){return this.post("exec",{body:JSON.stringify({cmd:e})})}},{key:"daemon",value:function(e,t){return this.post("daemon/"+e,{body:JSON.stringify(t)})}}]),e}();t.default=f}).call(this,n(10))},2970:function(e,t,n){(function(t){var n,r=t.crypto||t.msCrypto;if(r&&r.getRandomValues){var o=new Uint8Array(16);n=function(){return r.getRandomValues(o),o}}if(!n){var i=new Array(16);n=function(){for(var e,t=0;t<16;t++)0==(3&t)&&(e=4294967296*Math.random()),i[t]=e>>>((3&t)<<3)&255;return i}}e.exports=n}).call(this,n(28))},2971:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=i(n(123)),o=i(n(1992));function i(e){return e&&e.__esModule?e:{default:e}}var a=function(){this.hotkey_mapping={},this.hotkeys=new o.default.HotkeyManager};a.prototype.setPanel=function(e){var t=this;(e=(0,r.default)(e)).addClass("panel"),this.panel=e,this.panel_id=e.attr("id"),e.click(function(){return t.focus()})},a.prototype.focused=function(){return Layout.focused===this.panel_id},a.prototype.focus=function(){Layout.focused=this.panel_id},a.prototype.registerHotkey=function(e,t,n){n||(n=this),this.hotkeys.registerHotkey(e,t,n)},a.prototype.registerHotkeys=function(e,t,n){n||(n=this),this.hotkeys.registerHotkeys(e,t,n)},a.prototype.unregisterAll=function(){this.hotkeys.unregisterAll()},a.prototype.handleEvent=function(e){return this.hotkeys.handleEvent(e)},a.prototype.log=function(){console.log.apply(console,arguments)},t.default=a},2972:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r,o,i=function(){function e(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}return function(t,n,r){return n&&e(t.prototype,n),r&&e(t,r),t}}(),a=p(n(1)),s=p(n(0)),l=n(31),c=n(1677),u=p(n(2973));function p(e){return e&&e.__esModule?e:{default:e}}var d=(o=r=function(e){function t(){return function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}(this,t),function(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}(this,(t.__proto__||Object.getPrototypeOf(t)).apply(this,arguments))}return function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}(t,a.default.Component),i(t,[{key:"componentDidMount",value:function(){var e=this;this.props.manager.setPanel(this.node),this.teardown=(0,u.default)(this.props.manager,this.props.filesManager,this.props.server,this.props.dispatch,{allowClose:this.props.allowClose,saveOnClose:this.props.saveOnClose}),["editor-main-"+this.props.manager.panel_id,"editor-sharejs-"+this.props.manager.panel_id].forEach(function(t){return(0,c.dispatchConnectionDownActions)(e.props.dispatch,t,Date.now())})}},{key:"componentWillUnmount",value:function(){this.teardown&&this.teardown(),this.props.onUnmount&&this.props.onUnmount()}},{key:"render",value:function(){var e=this;return a.default.createElement("div",{className:"panel",id:this.props.id,ref:function(t){return e.node=t}})}}]),t}(),r.propTypes={manager:s.default.object.isRequired,server:s.default.object.isRequired,filesManager:s.default.object.isRequired,allowClose:s.default.bool,saveOnClose:s.default.bool,id:s.default.string,onUnmount:s.default.func,dispatch:s.default.func.isRequired},o);t.default=(0,l.connect)()(d)},2973:function(e,t,n){"use strict";(function(e){Object.defineProperty(t,"__esModule",{value:!0});var r=function(){function e(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}return function(t,n,r){return n&&e(t.prototype,n),r&&e(t,r),t}}(),o=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var n=arguments[t];for(var r in n)Object.prototype.hasOwnProperty.call(n,r)&&(e[r]=n[r])}return e};t.default=function(t,b,v,y,w){var x="editor-"+l.default.v4().slice(0,8),k=new(n(485));t.events=function(){return k},Object.keys(w).forEach(function(e){return void 0===w[e]&&delete w[e]});var C=o({saveOnClose:!1,allowClose:!0},w),E={UPDATE:"update",HELLO:"hello"},O={OPEN:"open",CLOSE:"close",SAVE:"save",SET:"set",PRESENCE:"presence"},T=(0,a.default)(t.panel);T.html('\n <div class="editor-tabs-wrapper">\n <div class="editor-tabs tab_bar unselectable"></div>\n <div class="overflow-tab editor_tab"></div>\n </div>\n <ul class="overflow-dropdown hidden"></ul>\n <div class="editor">\n <div class="editor-loading hidden">\n </div>\n <div class="editor-empty empty_panel">\n <div class="empty_icon editor"></div>\n <div class="empty_message">No Open Files</div><a href="#" class="empty_newtab">OPEN FILE</a>\n </div>\n </div>\n ');var S={divs:{$container:T,$noTabs:T.find(".editor-empty"),$editorTabs:T.find(".editor-tabs"),$tabsWrapper:T.find(".editor-tabs-wrapper"),$overflowTab:T.find(".overflow-tab"),$overflowDropdown:T.find(".overflow-dropdown"),$editor:T.find(".editor"),$editorLoading:T.find(".editor-loading")},currentTab:null,editors:{},colors:{counter:0,max:6,map:{}},currentTheme:"udacity",get currentEditor(){return this.editors[this.currentTab]?this.editors[this.currentTab].editor:null}},P=function(e){function t(e,n){g(this,t);var r="Socket Error "+JSON.stringify(e)+" from "+JSON.stringify(n),o=function(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}(this,(t.__proto__||Object.getPrototypeOf(t)).call(this,r));return o.stack=(new Error).stack,o.socketMessage=n,o.socketErr=e,o.message=r,o}return function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}(t,Error),t}(),M=function(){function e(t){g(this,e),this.socket=t}return r(e,[{key:"send",value:function(e){var t=o({},e,{client_id:x});return this.socket.sendAsync(t).catch(function(e){throw new P(e,t)}).catch(j)}},{key:"sendOpenFile",value:function(e,t){return t=t||{},this.send(s.default.merge({type:O.OPEN,path:e},t))}},{key:"sendCloseFile",value:function(e,t){return t=t||{},this.send(s.default.merge({type:O.CLOSE,path:e},t))}},{key:"sendSaveFile",value:function(e,t){return t=t||{},this.send(s.default.merge({type:O.SAVE,path:e},t))}},{key:"sendSetFiles",value:function(e,t){return t=t||{},this.send(s.default.merge({type:O.SET,target:e},t))}},{key:"sendPresence",value:function(e,t){return this.send({type:O.PRESENCE,path:e,presence:t})}},{key:"listen",value:function(e){var n=this,r={tabs:{editors:{},current:null},users:{}},o=function(e,t,n){t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n;return e}({},E.UPDATE,function(e,t){var n=s.default.reduce(t.presence,function(e,t,n){if(t[x]){if(null!==e)throw new Error("Server had me in multiple tabs");e=n}return e},null);return{tabs:{editors:s.default.reduce(t.files,function(e,n){var r=s.default.cloneDeep(n);return r.presence=t.presence[r.name],e[r.name]=r,e},{}),current:n},users:s.default.cloneDeep(t.users)}}),a=window.__REDUX_DEVTOOLS_EXTENSION__&&window.__REDUX_DEVTOOLS_EXTENSION__({name:"web-terminal-editor"}),l=(0,i.createStore)(function(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:r,t=arguments[1];return o[t.type]?o[t.type](e,t):s.default.cloneDeep(e)},r,a),c=l.subscribe(e),u=this.socket.listen(function(e){if(e.type!==E.HELLO){l.dispatch(e);var n="editor-main-"+t.panel_id;"disconnect"===e.type?(0,m.dispatchConnectionDownActions)(y,n,Date.now()):y((0,m.connectionUp)(n))}});return this.close=function(){c(),u(),n.socket.close()},l}}]),e}(),D=function(){function e(t,n,r){g(this,e),this.$container=t,this.socket=n,this.sjs=r,this.selections=[],this.codemirror=null,this.file=null,this.doc=null,this.$tab=null,this.$tabMembers=null,this.closed=!1}return r(e,[{key:"open",value:function(e,n,r){var o=this,i={py:{name:"python",version:3,singleLineStringErrors:!1},js:{name:"javascript",json:!0},jsx:{name:"jsx"},json:{name:"javascript",json:!0},html:{name:"htmlmixed"},css:{name:"css"},txt:{name:"null"},sh:{name:"shell"},bash:{name:"shell"},md:{name:"markdown"},cpp:"text/x-c++src",c:"text/x-csrc",h:"text/x-csrc",swift:{name:"swift"}},a=null,s=e.split(".");s.length>1&&(a=i[s[s.length-1]]);var l=["python","swift"].includes(((a=a||i.txt)||{}).name);this.codemirror=(0,u.default)(S.divs.$editor[0],{lineNumbers:!0,lineWrapping:!0,scrollbarStyle:"overlay",theme:S.currentTheme,mode:a,indentUnit:l?4:2,styleActiveLine:!0,extraKeys:{"Ctrl-Q":function(e){e.foldCode(e.getCursor())},"Cmd-/":"toggleComment","Ctrl-/":"toggleComment","Alt-F":"findPersistent",Tab:function(e){if(l&&!e.getDoc().somethingSelected())return void e.execCommand("insertSoftTab");e.execCommand("defaultTab")}},foldGutter:!0,gutters:["CodeMirror-linenumbers","CodeMirror-foldgutter"]}),this.cursorActivityListener=_(function(e){if(o.file===S.currentTab){var t=e.getCursor("head"),n=e.getCursor("anchor");o.socket.sendPresence(o.file,{cursorPosition:{head:t,anchor:n}})}},100),this.changeListener=function(){return t.events().emit("edit",o.file)},this.codemirror.on("cursorActivity",this.cursorActivityListener),this.codemirror.on("change",this.changeListener),this.file=e,this.$tab=n,this.$tabMembers=r,this.doc=this.sjs.get("files",this.file),this.doc.subscribe(function(e){e&&console.error(e)}),this.loading=!0,this.showLoading(),this.doc.whenReady(function(){var n=setInterval(function(){if(o.closed)clearInterval(n);else if(o.doc.type){var r=o.doc.createContext();(0,d.default)(o.codemirror,r),o.codemirror.clearHistory(),t.events().emit("docLoaded",e),clearInterval(n),o.loading=!1,o.hideLoading()}},100)})}},{key:"refresh",value:function(){null!==this.codemirror&&(this.codemirror.setSize(S.divs.$container.width(),"100%"),this.codemirror.refresh())}},{key:"shutdown",value:function(){this.codemirror.detachShareJsDoc&&this.codemirror.detachShareJsDoc(),this.codemirror.off("cursorActivity",this.cursorActivityListener),this.codemirror.off("change",this.changeListener),this.codemirror.getWrapperElement().remove(),this.$tab.remove(),this.closed=!0,this.codemirror=null,this.file=null,this.doc=null,this.$tab=null,this.$tabMembers=null,this.selections=[]}},{key:"clearSelections",value:function(){for(var e=void 0;e=this.selections.pop();)e.clear()}},{key:"setPresence",value:function(e){var t=this;this.$tabMembers.text(Object.keys(e).length.toString()),this.clearSelections();var n=function(n){if(n===x)return"continue";var r=e[n],o=r.cursorPosition;if(n in S.colors.map||(S.colors.map[n]={}),!S.colors.map[n].color){var i="editor-remote-selection-background-"+S.colors.counter;S.colors.map[n].color=i,S.colors.counter=(S.colors.counter+1)%S.colors.max}S.colors.map[n].name||(S.colors.map[n].name=r.username);var s=S.colors.map[n].color,l=void 0;o.head.line===o.anchor.line&&o.head.ch===o.anchor.ch?l=t.codemirror.setBookmark(o.head,{widget:(0,a.default)("<span>").css({width:"2px",display:"inline-block"}).text(" ").addClass(s)[0]}):o.head.line>o.anchor.line||o.head.line===o.anchor.line&&o.head.ch>o.anchor.ch?l=t.codemirror.markText(o.anchor,o.head,{className:s}):(o.anchor.line>o.head.line||o.anchor.line===o.head.line&&o.anchor.ch>o.head.ch)&&(l=t.codemirror.markText(o.head,o.anchor,{className:s})),t.selections.push(l),setTimeout(function(){(0,a.default)("."+s).tooltip({animation:!0,html:!0,placement:"auto",container:"body",title:r.username})},100)};for(var r in e)n(r)}},{key:"save",value:function(e){return this.socket.sendSaveFile(this.file).asCallback(e)}},{key:"close",value:function(e){var t={};return C.saveOnClose&&(t.save=!0,t.forceSave=!0,t.forceClose=!0),this.socket.sendCloseFile(this.file,t).asCallback(e)}},{key:"showLoading",value:function(){(0,a.default)(this.codemirror.getWrapperElement()).hide(),S.divs.$editorLoading.removeClass("hidden")}},{key:"hideLoading",value:function(){S.divs.$editorLoading.addClass("hidden"),this.showing&&this.show()}},{key:"hide",value:function(){this.showing=!1,(0,a.default)(this.codemirror.getWrapperElement()).hide(),this.$tab.removeClass("active")}},{key:"show",value:function(){this.showing=!0,this.$tab.addClass("active"),this.loading||((0,a.default)(this.codemirror.getWrapperElement()).show(),this.refresh())}}]),e}(),A=new c.default(v.socketUrl+"/editor/sharejs/"+x,[],{connectionTimeout:4e3,maxRetries:120}),R="editor-sharejs-"+t.panel_id;A.addEventListener("close",function(){(0,m.dispatchConnectionDownActions)(y,R,Date.now())}),A.addEventListener("message",function(){return y((0,m.connectionUp)(R))});var L=new p.default.Connection(A),I=new M(v.connect("editor/connect/"+x)),F={FILE_TOO_LARGE:{handler:function(e){f.default.confirm_modal(S.divs.$container,"File was too large! Open anyways?",function(t){t&&I.sendOpenFile(e.data.filename,{force:!0})})}},FILE_CHANGED_ON_DISK:{handler:function(e){f.default.confirm_modal(S.divs.$container,"File was changed on disk! Save anyways?",function(t){t&&I.sendSaveFile(e.data.filename,{force:!0})})}},UNSAVED_CHANGES:{handler:function(e){f.default.confirm_modal(S.divs.$container,"Unsaved changes! Close anyways?",function(t){t&&I.sendCloseFile(e.data.filename,{force:!0})})}}};function j(e){if(!e.known)throw e;var t=F[e.code];if(!t)throw e;return(t.handler||function(e){t.message?f.default.show_error(t.message):console.error("Known error had neither message nor handler",e)})(e)}var N=_(function(){var e=S.currentEditor;e&&e.refresh(),function(){var e=S.divs.$container.width(),t=S.divs.$editorTabs.find(".tab"),n=t.length,r=S.divs.$overflowTab.width(),o=(e-10)/n;if(t.removeClass("hidden"),n>0&&o<100){S.divs.$tabsWrapper.addClass("hasOverflow");var i=Math.floor((e-r-10)/100),l=(e-r)/i;l<100&&0!==e&&console.error("Something went wrong, we computed a tab width smaller than the min",o,l,100,e,r),t.slice(i,n).addClass("hidden"),function(e,t){S.divs.$overflowDropdown.empty();var n=s.default.keys(S.editors).slice(e,t);s.default.each(n,function(e){var t=e.split("/").pop(),n=(0,a.default)("<li>").text(t);e===S.currentTab&&n.addClass("active"),n.click(function(){S.divs.$overflowDropdown.find("li").removeClass("active"),S.divs.$overflowTab.toggleClass("active"),S.divs.$overflowDropdown.toggleClass("hidden"),H(e),(0,a.default)(this).addClass("active")}),S.divs.$overflowDropdown.append(n)})}(i,n)}else S.divs.$tabsWrapper.removeClass("hasOverflow"),S.divs.$overflowDropdown.addClass("hidden")}()},100),B=I.listen(function(){var e=B.getState(),n=Object.keys(e.tabs.editors),r=Object.keys(S.editors),o=s.default.difference(r,n),i=s.default.difference(n,r),a=!0,l=!1,c=void 0;try{for(var u,p=i[Symbol.iterator]();!(a=(u=p.next()).done);a=!0){var d=u.value,f=new D(S.divs.$container,I,L),h=U(d),m=h.holder,b=h.members;S.divs.$editorTabs.append(m),f.open(d,m,b),S.divs.$noTabs.hide(),S.editors[d]={name:d,editor:f}}}catch(e){l=!0,c=e}finally{try{!a&&p.return&&p.return()}finally{if(l)throw c}}var g=!0,_=!1,v=void 0;try{for(var y,w=o[Symbol.iterator]();!(g=(y=w.next()).done);g=!0){var x=y.value;S.editors[x].editor.shutdown(),delete S.editors[x]}}catch(e){_=!0,v=e}finally{try{!g&&w.return&&w.return()}finally{if(_)throw v}}for(var k in S.editors)S.editors[k].editor.setPresence(e.tabs.editors[k].presence);for(var C in S.colors.map)e.users[C]||delete S.colors.map[C];0===Object.keys(S.editors).length&&(S.divs.$noTabs.show(),S.divs.$editorLoading.addClass("hidden")),N(),function(e){if(S.currentTab===e)return;S.divs.$overflowDropdown.find("li").removeClass("active"),S.divs.$overflowTab.removeClass("active"),S.divs.$overflowDropdown.addClass("hidden"),S.divs.$editorTabs.find(".tab").removeClass("active");var n=S.editors[e];if(e&&!n)return;var r=S.editors[S.currentTab];r&&r.editor.hide();n&&n.editor.show();S.currentTab=e,t.events().emit("focus",S.currentTab)}(e.tabs.current),t.events().emit("afterUpdate",{opened:i,closed:o})});function U(e){var t=(0,a.default)("<div>").addClass("tab"),n=(0,a.default)("<span>").addClass("editor_tab"),r=e.split("/"),o=r[r.length-1],i=(0,a.default)("<span>").addClass("editor_tab_text").text(o),s=(0,a.default)("<span>").addClass("editor_tab_members").text("0"),l=(0,a.default)("<span>").addClass("closetab").html("&times;");return l.click(function(t){t.stopPropagation(),S.editors[e]&&S.editors[e].editor.close()}),n.append(i),n.append(s),C.allowClose&&n.append(l),t.append(n),t.click(function(){H(e)}),{holder:t,members:s}}function W(e,t){f.default.trigger_files_modal((0,a.default)(document.body),{action:"OPEN FILE",input_default:""},b.cur_dir.slice(0),b.fileViewer,function(e,n){var r=(0,h.build_path)(e,n);S.editors[r]?H(r):t.sendOpenFile(r).asCallback(function(){H(r)})})}function H(e,t){return I.sendPresence(e,t)}return S.divs.$container.resize(N),(0,a.default)(window).resize(N),S.divs.$noTabs.find(".empty_newtab").click(function(){W(S.divs.$container,I)}),S.divs.$overflowTab.click(function(){S.divs.$overflowTab.toggleClass("active"),S.divs.$overflowDropdown.toggleClass("hidden")}),t._openFile=function(e){var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{force:!1},n=arguments[2];return I.sendOpenFile(e,t).asCallback(n)},t.openFile=function(e,n){return t._openFile(e,void 0,n)},t.switchTheme=function(e){for(var t in S.currentTheme="light"===e?"default":"solarized dark",S.editors)S.editors.hasOwnProperty(t)&&S.editors[t].editor.codemirror.setOption("theme",S.currentTheme)},t.closeAllFiles=function(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},t=arguments[1];return!C.saveOnClose||"save"in e||(e.save=!0,e.forceSave=!0,e.forceClose=!0),this.setOpenFiles([],e,t)},t.saveAllFiles=function(n){return e.all(t.listOpenFiles().map(function(e){return t.saveFile(e)})).asCallback(n)},t.setOpenFiles=function(e){var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},n=arguments[2];return!C.saveOnClose||"save"in t||(t.save=!0,t.forceSave=!0,t.forceClose=!0),I.sendSetFiles(e,t).asCallback(n)},t.listOpenFiles=function(){return Object.keys(S.editors)},t.closeFile=function(e,t,n){return!C.saveOnClose||"save"in t||(t.save=!0,t.forceSave=!0,t.forceClose=!0),I.sendCloseFile(e,t).asCallback(n)},t.saveFile=function(e,t,n){return I.sendSaveFile(e,t).asCallback(n)},t.browseFiles=function(){W(S.divs.$container,I)},t.saveCurrentFile=function(e,n){return t.saveFile(S.currentTab,e,n)},t.closeCurrentFile=function(e,n){return t.closeFile(S.currentTab,e,n)},t.switchTab=function(e,t){return H(e).asCallback(t)},t.getCurrentTab=function(){return S.currentTab},t.setSaveOnClose=function(e){C.saveOnClose=!!e},t.getEditor=function(e){return this.editors[e]?this.editors[e].editor:null},function(){I.close&&I.close(),A.close&&A.close(1e3,"editor teardown",{keepClosed:!0}),Object.keys(S.editors).forEach(function(e){S.editors[e].editor.shutdown(),delete S.editors[e]})}};var i=n(141),a=b(n(123)),s=b(n(1720)),l=b(n(1676)),c=b(n(2974)),u=b(n(1629)),p=b(n(2975)),d=b(n(2987));n(1833),n(2988),n(2989),n(1997),n(1761),n(2990),n(2991),n(2992),n(2993),n(2994),n(1998),n(2996),n(2997),n(2998),n(2999),n(3e3),n(3001),n(3002),n(3003),n(1999),n(3004),n(1834),n(3005),n(3006),n(3007),n(3009),n(3011),n(3013);var f=b(n(1760)),h=n(1835),m=n(1677);function b(e){return e&&e.__esModule?e:{default:e}}function g(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function _(e,t){t=t||100;var n=null,r=Date.now();return function(){var o=arguments;Date.now()-r>t?(e.apply(e,o),r=Date.now(),clearTimeout(n),n=null):(clearTimeout(n),n=setTimeout(function(){e.apply(e,o),n=null,r=Date.now()},t))}}}).call(this,n(10))},2974:function(e,t,n){"use strict";var r=function(e){return e&&2===e.CLOSING},o=function(e,t,n){Object.defineProperty(t,n,{get:function(){return e[n]},set:function(t){e[n]=t},enumerable:!0,configurable:!0})},i=function(e){return e.minReconnectionDelay+Math.random()*e.minReconnectionDelay},a=["onopen","onclose","onmessage","onerror"],s=function(e,t,n){var l,c,u=this;void 0===n&&(n={});var p=0,d=0,f=!0,h=null,m={};if(!(this instanceof s))throw new TypeError("Failed to construct 'ReconnectingWebSocket': Please use the 'new' operator");var b={constructor:"undefined"!=typeof WebSocket&&r(WebSocket)?WebSocket:null,maxReconnectionDelay:1e4,minReconnectionDelay:1500,reconnectionDelayGrowFactor:1.3,connectionTimeout:4e3,maxRetries:1/0,debug:!1};if(Object.keys(b).filter(function(e){return n.hasOwnProperty(e)}).forEach(function(e){return b[e]=n[e]}),!r(b.constructor))throw new TypeError("Invalid WebSocket constructor. Set `options.constructor`");var g=b.debug?function(){for(var e=[],t=0;t<arguments.length;t++)e[t]=arguments[t];return console.log.apply(console,["RWS:"].concat(e))}:function(){},_=function(e,t){return setTimeout(function(){var n=new Error(t);n.code=e,Array.isArray(m.error)&&m.error.forEach(function(e){return(0,e[0])(n)}),l.onerror&&l.onerror(n)},0)},v=function(){g("handleClose",{shouldRetry:f}),g("retries count:",++d),d>b.maxRetries?_("EHOSTDOWN","Too many failed connection attempts"):(p=p?function(e,t){var n=t*e.reconnectionDelayGrowFactor;return n>e.maxReconnectionDelay?e.maxReconnectionDelay:n}(b,p):i(b),g("handleClose - reconnectDelay:",p),f&&setTimeout(y,p))},y=function(){if(f){g("connect");var n=l,r="function"==typeof e?e():e;for(var s in l=new b.constructor(r,t),c=setTimeout(function(){g("timeout"),l.close(),_("ETIMEDOUT","Connection timeout")},b.connectionTimeout),g("bypass properties"),l)["addEventListener","removeEventListener","close","send"].indexOf(s)<0&&o(l,u,s);l.addEventListener("open",function(){clearTimeout(c),g("open"),p=i(b),g("reconnectDelay:",p),d=0}),l.addEventListener("close",v),function(e,t,n){Object.keys(n).forEach(function(t){n[t].forEach(function(n){var r=n[0],o=n[1];e.addEventListener(t,r,o)})}),t&&a.forEach(function(n){e[n]=t[n]})}(l,n,m),l.onclose=l.onclose||h,h=null}};g("init"),y(),this.close=function(e,t,n){void 0===e&&(e=1e3),void 0===t&&(t="");var r=void 0===n?{}:n,o=r.keepClosed,i=void 0!==o&&o,a=r.fastClose,s=void 0===a||a,c=r.delay,u=void 0===c?0:c;if(g("close - params:",{reason:t,keepClosed:i,fastClose:s,delay:u,retriesCount:d,maxRetries:b.maxRetries}),f=!i&&d<=b.maxRetries,u&&(p=u),l.close(e,t),s){var _={code:e,reason:t,wasClean:!0};v(),l.removeEventListener("close",v),Array.isArray(m.close)&&m.close.forEach(function(e){var t=e[0],n=e[1];t(_),l.removeEventListener("close",t,n)}),l.onclose&&(h=l.onclose,l.onclose(_),l.onclose=null)}},this.send=function(e){l.send(e)},this.addEventListener=function(e,t,n){Array.isArray(m[e])?m[e].some(function(e){return e[0]===t})||m[e].push([t,n]):m[e]=[[t,n]],l.addEventListener(e,t,n)},this.removeEventListener=function(e,t,n){Array.isArray(m[e])&&(m[e]=m[e].filter(function(e){return e[0]!==t})),l.removeEventListener(e,t,n)}};e.exports=s},2975:function(e,t,n){t.Connection=n(2976).Connection,t.Doc=n(1831).Doc,n(2986);var r=n(1993);t.ottypes=r.ottypes,t.registerType=r.registerType},2976:function(e,t,n){var r=n(1831).Doc,o=n(2985).Query,i=n(1832),a=t.Connection=function(e){i.EventEmitter.call(this),this.collections={},this.nextQueryId=1,this.queries={},this.state="disconnected",this.canSend=!1,this._retryInterval=null,this.reset(),this.debug=!1,this.messageBuffer=[],this.bindToSocket(e)};function s(e){for(var t in e)return!0;return!1}i.mixin(a),a.prototype.bindToSocket=function(e){this.socket&&(delete this.socket.onopen,delete this.socket.onclose,delete this.socket.onmessage,delete this.socket.onerror),this.socket=e,this.state=0===e.readyState||1===e.readyState?"connecting":"disconnected",this.canSend="connecting"===this.state&&e.canSendWhileConnecting,this._setupRetry();var t=this;e.onmessage=function(e){var n=e.data;for(n||(n=e),"string"==typeof n&&(n=JSON.parse(n)),t.debug&&console.log("RECV",JSON.stringify(n)),t.messageBuffer.push({t:(new Date).toTimeString(),recv:JSON.stringify(n)});t.messageBuffer.length>100;)t.messageBuffer.shift();try{t.handleMessage(n)}catch(e){t.emit("error",e,n)}},e.onopen=function(){t._setState("connecting")},e.onerror=function(e){t.emit("connection error",e)},e.onclose=function(e){t._setState("disconnected",e),"Closed"!==e&&"Stopped by server"!==e||t._setState("stopped",e)}},a.prototype.handleMessage=function(e){switch(e.a){case"init":if(0!==e.protocol)throw new Error("Invalid protocol version");if("string"!=typeof e.id)throw new Error("Invalid client id");this.id=e.id,this._setState("connected");break;case"qfetch":case"qsub":case"q":case"qunsub":var t=this.queries[e.id];t&&t._onMessage(e);break;case"bs":var n=e.s;for(var r in n)for(var o in n[r]){if(!(i=this.get(r,o))){console.warn("Message for unknown doc. Ignoring.",e);break}"object"==typeof(e=n[r][o])?i._handleSubscribe(e.error,e):i._handleSubscribe(null,null)}break;default:var i;(i=this.getExisting(e.c,e.d))&&i._onMessage(e)}},a.prototype.reset=function(){this.id=null,this.seq=1},a.prototype._setupRetry=function(){if(!this.canSend)return clearInterval(this._retryInterval),void(this._retryInterval=null);if(null==this._retryInterval){var e=this;this._retryInterval=setInterval(function(){for(var t in e.collections){var n=e.collections[t];for(var r in n)n[r].retry()}},1e3)}},a.prototype._setState=function(e,t){if(this.state!==e){if("connecting"===e&&"disconnected"!==this.state&&"stopped"!==this.state||"connected"===e&&"connecting"!==this.state)throw new Error("Cannot transition directly from "+this.state+" to "+e);for(var n in this.state=e,this.canSend="connecting"===e&&this.socket.canSendWhileConnecting||"connected"===e,this._setupRetry(),"disconnected"===e&&this.reset(),this.emit(e,t),this.bsStart(),this.queries){this.queries[n]._onConnectionStateChanged(e,t)}for(var r in this.collections){var o=this.collections[r];for(var i in o)o[i]._onConnectionStateChanged(e,t)}this.bsEnd()}},a.prototype.bsStart=function(){this.subscribeData=this.subscribeData||{}},a.prototype.bsEnd=function(){s(this.subscribeData)&&this.send({a:"bs",s:this.subscribeData}),this.subscribeData=null},a.prototype.sendSubscribe=function(e,t){if(this._addDoc(e),this.subscribeData){var n=this.subscribeData;n[e.collection]||(n[e.collection]={}),n[e.collection][e.name]=t||null}else{var r={a:"sub",c:e.collection,d:e.name};null!=t&&(r.v=t),this.send(r)}},a.prototype.sendFetch=function(e,t){this._addDoc(e);var n={a:"fetch",c:e.collection,d:e.name};null!=t&&(n.v=t),this.send(n)},a.prototype.sendUnsubscribe=function(e){this._addDoc(e);var t={a:"unsub",c:e.collection,d:e.name};this.send(t)},a.prototype.sendOp=function(e,t){this._addDoc(e);var n={a:"op",c:e.collection,d:e.name,v:e.version,src:t.src,seq:t.seq};t.op&&(n.op=t.op),t.create&&(n.create=t.create),t.del&&(n.del=t.del),this.send(n)},a.prototype.send=function(e){for(this.debug&&console.log("SEND",JSON.stringify(e)),this.messageBuffer.push({t:Date.now(),send:JSON.stringify(e)});this.messageBuffer.length>100;)this.messageBuffer.shift();this.socket.canSendJSON||(e=JSON.stringify(e)),this.socket.send(e)},a.prototype.disconnect=function(){this.socket.close()},a.prototype.getExisting=function(e,t){if(this.collections[e])return this.collections[e][t]},a.prototype.getOrCreate=function(e,t,n){return console.trace("getOrCreate is deprecated. Use get() instead"),this.get(e,t,n)},a.prototype.get=function(e,t,n){var o=this.collections[e];o||(o=this.collections[e]={});var i=o[t];return i||(i=o[t]=new r(this,e,t),this.emit("doc",i)),n&&void 0!==n.data&&!i.state&&i.ingestData(n),i},a.prototype._destroyDoc=function(e){var t=this.collections[e.collection];t&&(delete t[e.name],s(t)||delete this.collections[e.collection])},a.prototype._addDoc=function(e){var t=this.collections[e.collection];t||(t=this.collections[e.collection]={}),t[e.name]!==e&&(t[e.name]=e)},a.prototype._createQuery=function(e,t,n,r,i){if("fetch"!==e&&"sub"!==e)throw new Error("Invalid query type: "+e);r||(r={});var a=this.nextQueryId++,s=new o(e,this,a,t,n,r,i);return this.queries[a]=s,s._execute(),s},a.prototype._destroyQuery=function(e){delete this.queries[e.id]},a.prototype.createFetchQuery=function(e,t,n,r){return this._createQuery("fetch",e,t,n,r)},a.prototype.createSubscribeQuery=function(e,t,n,r){return this._createQuery("sub",e,t,n,r)}},2977:function(e,t,n){e.exports={type:n(2978)}},2978:function(e,t,n){var r=function(e){return"[object Array]"==Object.prototype.toString.call(e)},o=function(e){return JSON.parse(JSON.stringify(e))},i={name:"json0",uri:"http://sharejs.org/types/JSONv0"},a={};function s(e){e.t="text0";var t={p:e.p.pop()};null!=e.si&&(t.i=e.si),null!=e.sd&&(t.d=e.sd),e.o=[t]}function l(e){e.p.push(e.o[0].p),null!=e.o[0].i&&(e.si=e.o[0].i),null!=e.o[0].d&&(e.sd=e.o[0].d),delete e.t,delete e.o}i.registerSubtype=function(e){a[e.name]=e},i.create=function(e){return void 0===e?null:o(e)},i.invertComponent=function(e){var t={p:e.p};return e.t&&a[e.t]&&(t.t=e.t,t.o=a[e.t].invert(e.o)),void 0!==e.si&&(t.sd=e.si),void 0!==e.sd&&(t.si=e.sd),void 0!==e.oi&&(t.od=e.oi),void 0!==e.od&&(t.oi=e.od),void 0!==e.li&&(t.ld=e.li),void 0!==e.ld&&(t.li=e.ld),void 0!==e.na&&(t.na=-e.na),void 0!==e.lm&&(t.lm=e.p[e.p.length-1],t.p=e.p.slice(0,e.p.length-1).concat([e.lm])),t},i.invert=function(e){for(var t=e.slice().reverse(),n=[],r=0;r<t.length;r++)n.push(i.invertComponent(t[r]));return n},i.checkValidOp=function(e){for(var t=0;t<e.length;t++)if(!r(e[t].p))throw new Error("Missing path")},i.checkList=function(e){if(!r(e))throw new Error("Referenced element not a list")},i.checkObj=function(e){if(!(t=e)||t.constructor!==Object)throw new Error("Referenced element not an object (it was "+JSON.stringify(e)+")");var t},i.apply=function(e,t){i.checkValidOp(t),t=o(t);for(var n={data:e},r=0;r<t.length;r++){var l=t[r];null==l.si&&null==l.sd||s(l);for(var c=null,u=n,p="data",d=0;d<l.p.length;d++){var f=l.p[d];if(c=u,p,u=u[p],p=f,null==c)throw new Error("Path invalid")}if(l.t&&void 0!==l.o&&a[l.t])u[p]=a[l.t].apply(u[p],l.o);else if(void 0!==l.na){if("number"!=typeof u[p])throw new Error("Referenced element not a number");u[p]+=l.na}else if(void 0!==l.li&&void 0!==l.ld)i.checkList(u),u[p]=l.li;else if(void 0!==l.li)i.checkList(u),u.splice(p,0,l.li);else if(void 0!==l.ld)i.checkList(u),u.splice(p,1);else if(void 0!==l.lm){if(i.checkList(u),l.lm!=p){var h=u[p];u.splice(p,1),u.splice(l.lm,0,h)}}else if(void 0!==l.oi)i.checkObj(u),u[p]=l.oi;else{if(void 0===l.od)throw new Error("invalid / missing instruction in op");i.checkObj(u),delete u[p]}}return n.data},i.shatter=function(e){for(var t=[],n=0;n<e.length;n++)t.push([e[n]]);return t},i.incrementalApply=function(e,t,n){for(var r=0;r<t.length;r++){var o=[t[r]];n(o,e=i.apply(e,o))}return e};var c=i.pathMatches=function(e,t,n){if(e.length!=t.length)return!1;for(var r=0;r<e.length;r++)if(e[r]!==t[r]&&(!n||r!==e.length-1))return!1;return!0};i.append=function(e,t){if(t=o(t),0!==e.length){var n=e[e.length-1];if(null==t.si&&null==t.sd||null==n.si&&null==n.sd||(s(t),s(n)),c(t.p,n.p))if(t.t&&n.t&&t.t===n.t&&a[t.t]){if(n.o=a[t.t].compose(n.o,t.o),null!=t.si||null!=t.sd){for(var r=t.p,i=0;i<n.o.length-1;i++)t.o=[n.o.pop()],t.p=r.slice(),l(t),e.push(t);l(n)}}else null!=n.na&&null!=t.na?e[e.length-1]={p:n.p,na:n.na+t.na}:void 0!==n.li&&void 0===t.li&&t.ld===n.li?void 0!==n.ld?delete n.li:e.pop():void 0!==n.od&&void 0===n.oi&&void 0!==t.oi&&void 0===t.od?n.oi=t.oi:void 0!==n.oi&&void 0!==t.od?void 0!==t.oi?n.oi=t.oi:void 0!==n.od?delete n.oi:e.pop():void 0!==t.lm&&t.p[t.p.length-1]===t.lm||e.push(t);else null==t.si&&null==t.sd||null==n.si&&null==n.sd||(l(t),l(n)),e.push(t)}else e.push(t)},i.compose=function(e,t){i.checkValidOp(e),i.checkValidOp(t);for(var n=o(e),r=0;r<t.length;r++)i.append(n,t[r]);return n},i.normalize=function(e){var t=[];e=r(e)?e:[e];for(var n=0;n<e.length;n++){var o=e[n];null==o.p&&(o.p=[]),i.append(t,o)}return t},i.commonLengthForOps=function(e,t){var n=e.p.length,r=t.p.length;if((null!=e.na||e.t)&&n++,(null!=t.na||t.t)&&r++,0===n)return-1;if(0===r)return null;n--,r--;for(var o=0;o<n;o++){var i=e.p[o];if(o>=r||i!==t.p[o])return null}return n},i.canOpAffectPath=function(e,t){return null!=i.commonLengthForOps({p:t},e)},i.transformComponent=function(e,t,n,c){t=o(t);var u=i.commonLengthForOps(n,t),p=i.commonLengthForOps(t,n),d=t.p.length,f=n.p.length;if((null!=t.na||t.t)&&d++,(null!=n.na||n.t)&&f++,null!=p&&f>d&&t.p[p]==n.p[p])if(void 0!==t.ld)(m=o(n)).p=m.p.slice(d),t.ld=i.apply(o(t.ld),[m]);else if(void 0!==t.od){(m=o(n)).p=m.p.slice(d),t.od=i.apply(o(t.od),[m])}if(null!=u){var h=d==f,m=n;if(null==t.si&&null==t.sd||null==n.si&&null==n.sd||(s(t),s(m=o(n))),m.t&&a[m.t]){if(t.t&&t.t===m.t){var b=a[t.t].transform(t.o,m.o,c);if(null!=t.si||null!=t.sd)for(var g=t.p,_=0;_<b.length;_++)t.o=[b[_]],t.p=g.slice(),l(t),i.append(e,t);else(!r(b)||b.length>0)&&(t.o=b,i.append(e,t));return e}}else if(void 0!==n.na);else if(void 0!==n.li&&void 0!==n.ld){if(n.p[u]===t.p[u]){if(!h)return e;if(void 0!==t.ld){if(void 0===t.li||"left"!==c)return e;t.ld=o(n.li)}}}else if(void 0!==n.li)void 0!==t.li&&void 0===t.ld&&h&&t.p[u]===n.p[u]?"right"===c&&t.p[u]++:n.p[u]<=t.p[u]&&t.p[u]++,void 0!==t.lm&&h&&n.p[u]<=t.lm&&t.lm++;else if(void 0!==n.ld){if(void 0!==t.lm&&h){if(n.p[u]===t.p[u])return e;g=n.p[u];var v=t.p[u];(g<(y=t.lm)||g===y&&v<y)&&t.lm--}if(n.p[u]<t.p[u])t.p[u]--;else if(n.p[u]===t.p[u]){if(f<d)return e;if(void 0!==t.ld){if(void 0===t.li)return e;delete t.ld}}}else if(void 0!==n.lm)if(void 0!==t.lm&&d===f){v=t.p[u];var y=t.lm,w=n.p[u],x=n.lm;if(w!==x)if(v===w){if("left"!==c)return e;t.p[u]=x,v===y&&(t.lm=x)}else v>w&&t.p[u]--,v>x?t.p[u]++:v===x&&w>x&&(t.p[u]++,v===y&&t.lm++),y>w?t.lm--:y===w&&y>v&&t.lm--,y>x?t.lm++:y===x&&(x>w&&y>v||x<w&&y<v?"right"===c&&t.lm++:y>v?t.lm++:y===w&&t.lm--)}else if(void 0!==t.li&&void 0===t.ld&&h){v=n.p[u],y=n.lm;(g=t.p[u])>v&&t.p[u]--,g>y&&t.p[u]++}else{v=n.p[u],y=n.lm;(g=t.p[u])===v?t.p[u]=y:(g>v&&t.p[u]--,g>y?t.p[u]++:g===y&&v>y&&t.p[u]++)}else if(void 0!==n.oi&&void 0!==n.od){if(t.p[u]===n.p[u]){if(void 0===t.oi||!h)return e;if("right"===c)return e;t.od=n.oi}}else if(void 0!==n.oi){if(void 0!==t.oi&&t.p[u]===n.p[u]){if("left"!==c)return e;i.append(e,{p:t.p,od:n.oi})}}else if(void 0!==n.od&&t.p[u]==n.p[u]){if(!h)return e;if(void 0===t.oi)return e;delete t.od}}return i.append(e,t),e},n(1994)(i,i.transformComponent,i.checkValidOp,i.append);var u=n(2979);i.registerSubtype(u),e.exports=i},2979:function(e,t,n){var r=e.exports={name:"text0",uri:"http://sharejs.org/types/textv0",create:function(e){if(null!=e&&"string"!=typeof e)throw new Error("Initial data must be a string");return e||""}},o=function(e,t,n){return e.slice(0,t)+n+e.slice(t)},i=function(e){if("number"!=typeof e.p)throw new Error("component missing position field");if("string"==typeof e.i==("string"==typeof e.d))throw new Error("component needs an i or d field");if(e.p<0)throw new Error("position cannot be negative")},a=function(e){for(var t=0;t<e.length;t++)i(e[t])};r.apply=function(e,t){var n;a(t);for(var r=0;r<t.length;r++){var i=t[r];if(null!=i.i)e=o(e,i.p,i.i);else{if(n=e.slice(i.p,i.p+i.d.length),i.d!==n)throw new Error("Delete component '"+i.d+"' does not match deleted text '"+n+"'");e=e.slice(0,i.p)+e.slice(i.p+i.d.length)}}return e};var s=r._append=function(e,t){if(""!==t.i&&""!==t.d)if(0===e.length)e.push(t);else{var n=e[e.length-1];null!=n.i&&null!=t.i&&n.p<=t.p&&t.p<=n.p+n.i.length?e[e.length-1]={i:o(n.i,t.p-n.p,t.i),p:n.p}:null!=n.d&&null!=t.d&&t.p<=n.p&&n.p<=t.p+t.d.length?e[e.length-1]={d:o(t.d,n.p-t.p,n.d),p:t.p}:e.push(t)}};r.compose=function(e,t){a(e),a(t);for(var n=e.slice(),r=0;r<t.length;r++)s(n,t[r]);return n},r.normalize=function(e){var t=[];null==e.i&&null==e.p||(e=[e]);for(var n=0;n<e.length;n++){var r=e[n];null==r.p&&(r.p=0),s(t,r)}return t};var l=function(e,t,n){return null!=t.i?t.p<e||t.p===e&&n?e+t.i.length:e:e<=t.p?e:e<=t.p+t.d.length?t.p:e-t.d.length};r.transformCursor=function(e,t,n){for(var r="right"===n,o=0;o<t.length;o++)e=l(e,t[o],r);return e};var c=r._tc=function(e,t,n,r){if(i(t),i(n),null!=t.i)s(e,{i:t.i,p:l(t.p,n,"right"===r)});else if(null!=n.i){var o=t.d;t.p<n.p&&(s(e,{d:o.slice(0,n.p-t.p),p:t.p}),o=o.slice(n.p-t.p)),""!==o&&s(e,{d:o,p:t.p+n.i.length})}else if(t.p>=n.p+n.d.length)s(e,{d:t.d,p:t.p-n.d.length});else if(t.p+t.d.length<=n.p)s(e,t);else{var a={d:"",p:t.p};t.p<n.p&&(a.d=t.d.slice(0,n.p-t.p)),t.p+t.d.length>n.p+n.d.length&&(a.d+=t.d.slice(n.p+n.d.length-t.p));var c=Math.max(t.p,n.p),u=Math.min(t.p+t.d.length,n.p+n.d.length);if(t.d.slice(c-t.p,u-t.p)!==n.d.slice(c-n.p,u-n.p))throw new Error("Delete ops delete different text in the same region of the document");""!==a.d&&(a.p=l(a.p,n),s(e,a))}return e};r.invert=function(e){e=e.slice().reverse();for(var t=0;t<e.length;t++)e[t]=null!=(n=e[t]).i?{d:n.i,p:n.p}:{i:n.d,p:n.p};var n;return e},n(1994)(r,c,a,s)},2980:function(e,t){t.name="text",t.uri="http://sharejs.org/types/textv1",t.create=(e=>{if(null!=e&&"string"!=typeof e)throw Error("Initial data must be a string");return e||""});const n=function(e){if(!Array.isArray(e))throw Error("Op must be an array of components");let t=null;for(let n=0;n<e.length;n++){const r=e[n];switch(typeof r){case"object":if(!("number"==typeof r.d&&r.d>0))throw Error("Object components must be deletes of size > 0");break;case"string":if(!(r.length>0))throw Error("Inserts cannot be empty");break;case"number":if(!(r>0))throw Error("Skip components must be >0");if("number"==typeof t)throw Error("Adjacent skip components should be combined")}t=r}if("number"==typeof t)throw Error("Op has a trailing skip")},r=e=>t=>{t&&0!==t.d&&(0===e.length?e.push(t):typeof t==typeof e[e.length-1]?"object"==typeof t?e[e.length-1].d+=t.d:e[e.length-1]+=t:e.push(t))},o=function(e){let t=0,n=0;return[(r,o)=>{if(t===e.length)return-1===r?null:r;const i=e[t];let a;return"number"==typeof i?-1===r||i-n<=r?(a=i-n,++t,n=0,a):(n+=r,r):"string"==typeof i?-1===r||"i"===o||i.length-n<=r?(a=i.slice(n),++t,n=0,a):(a=i.slice(n,n+r),n+=r,a):-1===r||"d"===o||i.d-n<=r?(a={d:i.d-n},++t,n=0,a):(n+=r,{d:r})},()=>e[t]]},i=e=>"number"==typeof e?e:e.length||e.d,a=e=>(e.length>0&&"number"==typeof e[e.length-1]&&e.pop(),e);t.normalize=function(e){const t=[],n=r(t);for(let t=0;t<e.length;t++)n(e[t]);return a(t)},t.apply=function(e,t){if("string"!=typeof e)throw Error("Snapshot should be a string");n(t);const r=[];for(let n=0;n<t.length;n++){const o=t[n];switch(typeof o){case"number":if(o>e.length)throw Error("The op is too long for this document");r.push(e.slice(0,o)),e=e.slice(o);break;case"string":r.push(o);break;case"object":e=e.slice(o.d)}}return r.join("")+e},t.transform=function(e,t,s){if("left"!==s&&"right"!==s)throw Error("side ("+s+") must be 'left' or 'right'");n(e),n(t);const l=[],c=r(l),[u,p]=o(e);for(let e=0;e<t.length;e++){const n=t[e];let r,o;switch(typeof n){case"number":for(r=n;r>0;)c(o=u(r,"i")),"string"!=typeof o&&(r-=i(o));break;case"string":"left"===s&&"string"==typeof p()&&c(u(-1)),c(n.length);break;case"object":for(r=n.d;r>0;)switch(typeof(o=u(r,"i"))){case"number":r-=o;break;case"string":c(o);break;case"object":r-=o.d}}}let d;for(;d=u(-1);)c(d);return a(l)},t.compose=function(e,t){n(e),n(t);const s=[],l=r(s),c=o(e)[0];for(let e=0;e<t.length;e++){const n=t[e];let r,o;switch(typeof n){case"number":for(r=n;r>0;)l(o=c(r,"d")),"object"!=typeof o&&(r-=i(o));break;case"string":l(n);break;case"object":for(r=n.d;r>0;)switch(typeof(o=c(r,"d"))){case"number":l({d:o}),r-=o;break;case"string":r-=o.length;break;case"object":l(o)}}}let u;for(;u=c(-1);)l(u);return a(s)};const s=(e,t)=>{let n=0;for(let r=0;r<t.length;r++){const o=t[r];if(e<=n)break;switch(typeof o){case"number":if(e<=n+o)return e;n+=o;break;case"string":n+=o.length,e+=o.length;break;case"object":e-=Math.min(o.d,e-n)}}return e};t.transformSelection=function(e,t,n){let r=0;if(n){for(let e=0;e<t.length;e++){const n=t[e];switch(typeof n){case"number":r+=n;break;case"string":r+=n.length}}return r}return"number"==typeof e?s(e,t):[s(e[0],t),s(e[1],t)]},t.selectionEq=function(e,t){return null!=e[0]&&e[0]===e[1]&&(e=e[0]),null!=t[0]&&t[0]===t[1]&&(t=t[0]),e===t||null!=e[0]&&null!=t[0]&&e[0]===t[0]&&e[1]==t[1]}},2981:function(e,t){function n(e,t){return{get:e,getLength:()=>e().length,insert:(e,n,r)=>t([e,n],r),remove:(e,n,r)=>t([e,{d:n}],r),_onOp(e){for(var t=0,n=0;n<e.length;n++){var r=e[n];switch(typeof r){case"number":t+=r,r;break;case"string":this.onInsert&&this.onInsert(t,r),t+=r.length;break;case"object":this.onRemove&&this.onRemove(t,r.d),r.d}}}}}e.exports=n,n.provides={text:!0}},2982:function(e,t){var n=e.exports={name:"text-tp2",tp2:!0,uri:"http://sharejs.org/types/text-tp2v1",create:function(e){if(null==e)e="";else if("string"!=typeof e)throw new Error("Initial data must be a string");return{charLength:e.length,totalLength:e.length,data:e.length?[e]:[]}},serialize:function(e){if(!e.data)throw new Error("invalid doc snapshot");return e.data},deserialize:function(e){var t=n.create();t.data=e;for(var r=0;r<e.length;r++){var o=e[r];"string"==typeof o?(t.charLength+=o.length,t.totalLength+=o.length):t.totalLength+=o}return t}},r=Array.isArray||function(e){return"[object Array]"==Object.prototype.toString.call(e)},o=function(e){if(!r(e))throw new Error("Op must be an array of components");for(var t=null,n=0;n<e.length;n++){var o=e[n];if("object"==typeof o)if(void 0!==o.i){if(!("string"==typeof o.i&&o.i.length>0||"number"==typeof o.i&&o.i>0))throw new Error("Inserts must insert a string or a +ive number")}else{if(void 0===o.d)throw new Error("Operation component must define .i or .d");if(!("number"==typeof o.d&&o.d>0))throw new Error("Deletes must be a +ive number")}else{if("number"!=typeof o)throw new Error("Op components must be objects or numbers");if(o<=0)throw new Error("Skip components must be a positive number");if("number"==typeof t)throw new Error("Adjacent skip components should be combined")}t=o}},i=n._takeDoc=function(e,t,n,r){if(t.index>=e.data.length)throw new Error("Operation goes past the end of the document");var o,i=e.data[t.index],a=(o="string"==typeof i?null!=n?i.slice(t.offset,t.offset+n):i.slice(t.offset):null==n||r?i-t.offset:Math.min(n,i-t.offset)).length||o;return(i.length||i)-t.offset>a?t.offset+=a:(t.index++,t.offset=0),o},a=n._appendDoc=function(e,t){if(0!==t&&""!==t){"string"==typeof t?(e.charLength+=t.length,e.totalLength+=t.length):e.totalLength+=t;var n=e.data;0===n.length?n.push(t):typeof n[n.length-1]==typeof t?n[n.length-1]+=t:n.push(t)}};n.apply=function(e,t){if(null==e.totalLength||null==e.charLength||!r(e.data))throw new Error("Snapshot is invalid");o(t);for(var s=n.create(),l={index:0,offset:0},c=0;c<t.length;c++){var u,p,d=t[c];if("number"==typeof d)for(u=d;u>0;)p=i(e,l,u),a(s,p),u-=p.length||p;else if(void 0!==d.i)a(s,d.i);else if(void 0!==d.d){for(u=d.d;u>0;)u-=(p=i(e,l,u)).length||p;a(s,d.d)}}return s};var s=n._append=function(e,t){var n;0===t||""===t.i||0===t.i||0===t.d||(0===e.length?e.push(t):(n=e[e.length-1],"number"==typeof t&&"number"==typeof n?e[e.length-1]+=t:null!=t.i&&null!=n.i&&typeof n.i==typeof t.i?n.i+=t.i:null!=t.d&&null!=n.d?n.d+=t.d:e.push(t)))},l=function(e,t,n,r){if(t.index===e.length)return null;var o,i,a,s=e[t.index],l=t.offset;return"number"==typeof(o=s)||"number"==typeof(o=s.i)||null!=(o=s.d)?(null==n||o-l<=n||r&&null!=s.i?(a=o-l,++t.index,t.offset=0):(t.offset+=n,a=n),null!=s.i?{i:a}:null!=s.d?{d:a}:a):(null==n||s.i.length-l<=n||r?(i={i:s.i.slice(l)},++t.index,t.offset=0):(i={i:s.i.slice(l,l+n)},t.offset+=n),i)},c=function(e){return"number"==typeof e?e:"string"==typeof e.i?e.i.length:e.d||e.i};n.normalize=function(e){for(var t=[],n=0;n<e.length;n++)s(t,e[n]);return t};var u=function(e,t,n,r){o(e),o(t);for(var i=[],a={index:0,offset:0},u=0;u<t.length;u++){var p,d=t[u],f=c(d);if(null!=d.i)if(n){if("left"===r)for(var h;(h=e[a.index])&&null!=h.i;)s(i,l(e,a));s(i,f)}else for(;f>0;){if(null===(p=l(e,a,f,!0)))throw new Error("The transformed op is invalid");if(null!=p.d)throw new Error("The transformed op deletes locally inserted characters - it cannot be purged of the insert.");"number"==typeof p?f-=p:s(i,p)}else for(;f>0;){if(null===(p=l(e,a,f,!0)))throw new Error("The op traverses more elements than the document has");s(i,p),p.i||(f-=c(p))}}for(;d=l(e,a);){if(void 0===d.i)throw new Error("Remaining fragments in the op: "+d);s(i,d)}return i};n.transform=function(e,t,n){if("left"!=n&&"right"!=n)throw new Error("side ("+n+") should be 'left' or 'right'");return u(e,t,!0,n)},n.prune=function(e,t){return u(e,t,!1)},n.compose=function(e,t){if(null==e)return t;o(e),o(t);for(var n,r=[],i={index:0,offset:0},a=0;a<t.length;a++){var u,p;if("number"==typeof(n=t[a]))for(u=n;u>0;){if(null===(p=l(e,i,u)))throw new Error("The op traverses more elements than the document has");s(r,p),u-=c(p)}else if(void 0!==n.i)s(r,{i:n.i});else for(u=n.d;u>0;){if(null===(p=l(e,i,u)))throw new Error("The op traverses more elements than the document has");var d=c(p);void 0!==p.i?s(r,{i:d}):s(r,{d:d}),u-=d}}for(;n=l(e,i);){if(void 0===n.i)throw new Error("Remaining fragments in op1: "+n);s(r,n)}return r}},2983:function(e,t,n){n(1995).type.api={provides:{text:!0},getLength:function(){return this.getSnapshot().length},get:function(){return this.getSnapshot()},getText:function(){return console.warn("`getText()` is deprecated; use `get()` instead."),this.get()},insert:function(e,t,n){return this.submitOp([e,t],n)},remove:function(e,t,n){return this.submitOp([e,{d:t}],n)},_onOp:function(e){for(var t=0,n=0;n<e.length;n++){var r=e[n];switch(typeof r){case"number":t+=r,r;break;case"string":this.onInsert&&this.onInsert(t,r),t+=r.length;break;case"object":this.onRemove&&this.onRemove(t,r.d),r.d}}}}},2984:function(e,t,n){var r=n(1996).type,o=r._takeDoc,i=r._append,a=function(e,t,n,r){for(;(null==r||r>0)&&n.index<t.data.length;){var a=o(t,n,r,!0);null!=r&&"string"==typeof a&&(r-=a.length),i(e,a.length||a)}};r.api={provides:{text:!0},getLength:function(){return this.getSnapshot().charLength},get:function(){for(var e=this.getSnapshot(),t=[],n=0;n<e.data.length;n++){var r=e.data[n];"string"==typeof r&&t.push(r)}return t.join("")},getText:function(){return console.warn("`getText()` is deprecated; use `get()` instead."),this.get()},insert:function(e,t,n){null==e&&(e=0);var r=[],o={index:0,offset:0},s=this.getSnapshot();return a(r,s,o,e),i(r,{i:t}),a(r,s,o),this.submitOp(r,n),r},remove:function(e,t,n){var r=[],s={index:0,offset:0},l=this.getSnapshot();for(a(r,l,s,e);t>0;){var c=o(l,s,t,!0);"string"==typeof c?(i(r,{d:c.length}),t-=c.length):i(r,c)}return a(r,l,s),this.submitOp(r,n),r},_beforeOp:function(){this.__prevSnapshot=this.getSnapshot()},_onOp:function(e){for(var t=0,n={index:0,offset:0},r=this.__prevSnapshot,i=0;i<e.length;i++){var a,s,l=e[i];if("number"==typeof l)for(s=l;s>0;s-=a.length||a)"string"==typeof(a=o(r,n,s))&&(t+=a.length);else if(null!=l.i)"string"==typeof l.i&&(this.onInsert&&this.onInsert(t,l.i),t+=l.i.length);else for(s=l.d;s>0;s-=a.length||a)"string"==typeof(a=o(r,n,s))&&this.onRemove&&this.onRemove(t,a.length)}}}},2985:function(e,t,n){var r=n(1832),o=t.Query=function(e,t,n,o,i,a,s){r.EventEmitter.call(this),this.type=e,this.connection=t,this.id=n,this.collection=o,this.query=i,this.docMode=a.docMode,"subscribe"===this.docMode&&(this.docMode="sub"),this.poll=a.poll,this.backend=a.backend||a.source,this.knownDocs=a.knownDocs||[],this.results=[],this.ready=!1,this.callback=s};r.mixin(o),o.prototype.action="qsub",o.prototype._execute=function(){if(this.connection.canSend){if(this.docMode)for(var e={},t=0;t<this.knownDocs.length;t++){var n=this.knownDocs[t];if(null!=n.version)(e[n.collection]=e[n.collection]||{})[n.name]=n.version}var r={a:"q"+this.type,id:this.id,c:this.collection,o:{},q:this.query};this.docMode&&(r.o.m=this.docMode,r.o.vs=e),null!=this.backend&&(r.o.b=this.backend),void 0!==this.poll&&(r.o.p=this.poll),this.connection.send(r)}},o.prototype._dataToDocs=function(e){for(var t,n=[],r=0;r<e.length;r++){var o=e[r];o.type?t=o.type:o.type=t;var i=this.connection.get(o.c||this.collection,o.d,o);n.push(i)}return n},o.prototype.destroy=function(){this.connection.canSend&&"sub"===this.type&&this.connection.send({a:"qunsub",id:this.id}),this.connection._destroyQuery(this)},o.prototype._onConnectionStateChanged=function(e,t){"connecting"===this.connection.state&&this._execute()},o.prototype._onMessage=function(e){if("qfetch"===e.a==("fetch"===this.type))switch(e.error&&this.emit("error",e.error),e.a){case"qfetch":var t=e.data?this._dataToDocs(e.data):void 0;this.callback&&this.callback(e.error,t,e.extra),this.connection._destroyQuery(this);break;case"q":if(e.diff){for(var n=0;n<e.diff.length;n++){"insert"===(r=e.diff[n]).type&&(r.values=this._dataToDocs(r.values))}for(n=0;n<e.diff.length;n++){var r;switch((r=e.diff[n]).type){case"insert":var o=r.values;Array.prototype.splice.apply(this.results,[r.index,0].concat(o)),this.emit("insert",o,r.index);break;case"remove":var i=r.howMany||1,a=this.results.splice(r.index,i);this.emit("remove",a,r.index);break;case"move":i=r.howMany||1;var s=this.results.splice(r.from,i);Array.prototype.splice.apply(this.results,[r.to,0].concat(s)),this.emit("move",s,r.from,r.to)}}}void 0!==e.extra&&this.emit("extra",e.extra);break;case"qsub":if(!e.error){var l=this.results;this.results=this.knownDocs=this._dataToDocs(e.data),this.extra=e.extra,this.ready=!0,this.emit("change",this.results,l)}this.callback&&(this.callback(e.error,this.results,this.extra),delete this.callback)}else console.warn("Invalid message sent to query",e,this)},o.prototype.setQuery=function(e){if("sub"!==this.type)throw new Error("cannot change a fetch query");this.query=e,this.connection.canSend&&(this.connection.send({a:"qunsub",id:this.id}),this._execute())}},2986:function(e,t,n){var r=n(1831).Doc;r.prototype.attachTextarea=function(e,t){if(t||(t=this.createContext()),!t.provides.text)throw new Error("Cannot attach to non-text document");var n;e.value=t.get();var r=function(t,r){if(r)var o=[r(e.selectionStart),r(e.selectionEnd)];var i=e.scrollTop;e.value=t,n=e.value,e.scrollTop!==i&&(e.scrollTop=i),o&&window.document.activeElement===e&&(e.selectionStart=o[0],e.selectionEnd=o[1])};r(t.get()),t.onInsert=function(t,n){var o=e.value.replace(/\r\n/g,"\n");r(o.slice(0,t)+n+o.slice(t),function(e){return t<e?e+n.length:e})},t.onRemove=function(t,n){var o=e.value.replace(/\r\n/g,"\n");r(o.slice(0,t)+o.slice(t+n),function(e){return t<e?e-Math.min(n,e-t):e})};for(var o=function(r){setTimeout(function(){e.value!==n&&(n=e.value,function(e,t,n){if(t!==n){for(var r=0;t.charAt(r)===n.charAt(r);)r++;for(var o=0;t.charAt(t.length-1-o)===n.charAt(n.length-1-o)&&o+r<t.length&&o+r<n.length;)o++;t.length!==r+o&&e.remove(r,t.length-r-o),n.length!==r+o&&e.insert(r,n.slice(r,n.length-o))}}(t,t.get(),e.value.replace(/\r\n/g,"\n")))},0)},i=["textInput","keydown","keyup","select","cut","paste"],a=0;a<i.length;a++){var s=i[a];e.addEventListener?e.addEventListener(s,o,!1):e.attachEvent("on"+s,o)}return t.detach=function(){for(var t=0;t<i.length;t++){var n=i[t];e.removeEventListener?e.removeEventListener(n,o,!1):e.detachEvent("on"+n,o)}},t}},2987:function(e,t,n){(function(n){var r;!function(){"use strict";function o(e,t){if(!t.provides.text)throw new Error("Cannot attach to non-text document");var n=!1,r=t.get()||"";function o(e,r){n||(!function e(n,r){var o=0;var i=0;for(;i<r.from.line;)o+=n.lineInfo(i).text.length+1,i++;o+=r.from.ch;if(r.to.line==r.from.line&&r.to.ch==r.from.ch);else{for(var a=0,s=0;s<r.removed.length;s++)a+=r.removed[s].length;a+=r.removed.length-1,t.remove(o,a)}r.text&&t.insert(o,r.text.join("\n"));r.next&&e(n,r.next)}(e,r),i())}function i(){setTimeout(function(){var n=e.getValue(),r=t.get()||"";n!=r&&(console.error("Text does not match!"),console.error("cm: "+n),console.error("ot: "+r),e.setValue(t.get()||""))},0)}return e.setValue(r),i(),t.onInsert=function(t,r){n=!0,e.replaceRange(r,e.posFromIndex(t)),n=!1,i()},t.onRemove=function(t,r){n=!0;var o=e.posFromIndex(t),a=e.posFromIndex(t+r);e.replaceRange("",o,a),n=!1,i()},e.on("change",o),e.detachShareJsDoc=function(){t.onRemove=null,t.onInsert=null,e.off("change",o)},t}void 0!==e.exports?(e.exports=o,e.exports.scriptsDir=n):void 0===(r=function(){return o}.apply(t,[]))||(e.exports=r)}()}).call(this,"/")},2988:function(e,t,n){!function(e){"use strict";function t(e,t,n,r){this.state=e,this.mode=t,this.depth=n,this.prev=r}function n(r){return new t(e.copyState(r.mode,r.state),r.mode,r.depth,r.prev&&n(r.prev))}e.defineMode("jsx",function(r,o){var i=e.getMode(r,{name:"xml",allowMissing:!0,multilineTagIndentPastTag:!1,allowMissingTagName:!0}),a=e.getMode(r,o&&o.base||"javascript");function s(e){var t=e.tagName;e.tagName=null;var n=i.indent(e,"","");return e.tagName=t,n}function l(n,o){return o.context.mode==i?function(n,o,c){if(2==c.depth)return n.match(/^.*?\*\//)?c.depth=1:n.skipToEnd(),"comment";if("{"==n.peek()){i.skipAttribute(c.state);var u=s(c.state),p=c.state.context;if(p&&n.match(/^[^>]*>\s*$/,!1)){for(;p.prev&&!p.startOfLine;)p=p.prev;p.startOfLine?u-=r.indentUnit:c.prev.state.lexical&&(u=c.prev.state.lexical.indented)}else 1==c.depth&&(u+=r.indentUnit);return o.context=new t(e.startState(a,u),a,0,o.context),null}if(1==c.depth){if("<"==n.peek())return i.skipAttribute(c.state),o.context=new t(e.startState(i,s(c.state)),i,0,o.context),null;if(n.match("//"))return n.skipToEnd(),"comment";if(n.match("/*"))return c.depth=2,l(n,o)}var d,f=i.token(n,c.state),h=n.current();return/\btag\b/.test(f)?/>$/.test(h)?c.state.context?c.depth=0:o.context=o.context.prev:/^</.test(h)&&(c.depth=1):!f&&(d=h.indexOf("{"))>-1&&n.backUp(h.length-d),f}(n,o,o.context):function(n,r,o){if("<"==n.peek()&&a.expressionAllowed(n,o.state))return a.skipExpression(o.state),r.context=new t(e.startState(i,a.indent(o.state,"","")),i,0,r.context),null;var s=a.token(n,o.state);if(!s&&null!=o.depth){var l=n.current();"{"==l?o.depth++:"}"==l&&0==--o.depth&&(r.context=r.context.prev)}return s}(n,o,o.context)}return{startState:function(){return{context:new t(e.startState(a),a)}},copyState:function(e){return{context:n(e.context)}},token:l,indent:function(e,t,n){return e.context.mode.indent(e.context.state,t,n)},innerMode:function(e){return e.context}}},"xml","javascript"),e.defineMIME("text/jsx","jsx"),e.defineMIME("text/typescript-jsx",{name:"jsx",base:{name:"javascript",typescript:!0}})}(n(1629),n(1761),n(1833))},2989:function(e,t,n){!function(e){"use strict";function t(e){return new RegExp("^(("+e.join(")|(")+"))\\b")}var n,r=t(["and","or","not","is"]),o=["as","assert","break","class","continue","def","del","elif","else","except","finally","for","from","global","if","import","lambda","pass","raise","return","try","while","with","yield","in"],i=["abs","all","any","bin","bool","bytearray","callable","chr","classmethod","compile","complex","delattr","dict","dir","divmod","enumerate","eval","filter","float","format","frozenset","getattr","globals","hasattr","hash","help","hex","id","input","int","isinstance","issubclass","iter","len","list","locals","map","max","memoryview","min","next","object","oct","open","ord","pow","property","range","repr","reversed","round","set","setattr","slice","sorted","staticmethod","str","sum","super","tuple","type","vars","zip","__import__","NotImplemented","Ellipsis","__debug__"];function a(e){return e.scopes[e.scopes.length-1]}e.registerHelper("hintWords","python",o.concat(i)),e.defineMode("python",function(n,s){for(var l="error",c=s.delimiters||s.singleDelimiters||/^[\(\)\[\]\{\}@,:`=;\.\\]/,u=[s.singleOperators,s.doubleOperators,s.doubleDelimiters,s.tripleDelimiters,s.operators||/^([-+*\/%\/&|^]=?|[<>=]+|\/\/=?|\*\*=?|!=|[~!@])/],p=0;p<u.length;p++)u[p]||u.splice(p--,1);var d=s.hangingIndent||n.indentUnit,f=o,h=i;null!=s.extra_keywords&&(f=f.concat(s.extra_keywords)),null!=s.extra_builtins&&(h=h.concat(s.extra_builtins));var m=!(s.version&&Number(s.version)<3);if(m){var b=s.identifiers||/^[_A-Za-z\u00A1-\uFFFF][_A-Za-z0-9\u00A1-\uFFFF]*/;f=f.concat(["nonlocal","False","True","None","async","await"]),h=h.concat(["ascii","bytes","exec","print"]);var g=new RegExp("^(([rbuf]|(br)|(fr))?('{3}|\"{3}|['\"]))","i")}else{var b=s.identifiers||/^[_A-Za-z][_A-Za-z0-9]*/;f=f.concat(["exec","print"]),h=h.concat(["apply","basestring","buffer","cmp","coerce","execfile","file","intern","long","raw_input","reduce","reload","unichr","unicode","xrange","False","True","None"]);var g=new RegExp("^(([rubf]|(ur)|(br))?('{3}|\"{3}|['\"]))","i")}var _=t(f),v=t(h);function y(e,t){var n=e.sol()&&"\\"!=t.lastToken;if(n&&(t.indent=e.indentation()),n&&"py"==a(t).type){var r=a(t).offset;if(e.eatSpace()){var o=e.indentation();return o>r?x(t):o<r&&k(e,t)&&"#"!=e.peek()&&(t.errorToken=!0),null}var i=w(e,t);return r>0&&k(e,t)&&(i+=" "+l),i}return w(e,t)}function w(e,t){if(e.eatSpace())return null;if(e.match(/^#.*/))return"comment";if(e.match(/^[0-9\.]/,!1)){var n=!1;if(e.match(/^[\d_]*\.\d+(e[\+\-]?\d+)?/i)&&(n=!0),e.match(/^[\d_]+\.\d*/)&&(n=!0),e.match(/^\.\d+/)&&(n=!0),n)return e.eat(/J/i),"number";var o=!1;if(e.match(/^0x[0-9a-f_]+/i)&&(o=!0),e.match(/^0b[01_]+/i)&&(o=!0),e.match(/^0o[0-7_]+/i)&&(o=!0),e.match(/^[1-9][\d_]*(e[\+\-]?[\d_]+)?/)&&(e.eat(/J/i),o=!0),e.match(/^0(?![\dx])/i)&&(o=!0),o)return e.eat(/L/i),"number"}if(e.match(g)){var i=-1!==e.current().toLowerCase().indexOf("f");return i?(t.tokenize=function(e,t){for(;"rubf".indexOf(e.charAt(0).toLowerCase())>=0;)e=e.substr(1);var n=1==e.length,r="string";function o(e){return function(t,n){var r=w(t,n);return"punctuation"==r&&("{"==t.current()?n.tokenize=o(e+1):"}"==t.current()&&(n.tokenize=e>1?o(e-1):i)),r}}function i(i,a){for(;!i.eol();)if(i.eatWhile(/[^'"\{\}\\]/),i.eat("\\")){if(i.next(),n&&i.eol())return r}else{if(i.match(e))return a.tokenize=t,r;if(i.match("{{"))return r;if(i.match("{",!1))return a.tokenize=o(0),i.current()?r:a.tokenize(i,a);if(i.match("}}"))return r;if(i.match("}"))return l;i.eat(/['"]/)}if(n){if(s.singleLineStringErrors)return l;a.tokenize=t}return r}return i.isString=!0,i}(e.current(),t.tokenize),t.tokenize(e,t)):(t.tokenize=function(e,t){for(;"rubf".indexOf(e.charAt(0).toLowerCase())>=0;)e=e.substr(1);var n=1==e.length,r="string";function o(o,i){for(;!o.eol();)if(o.eatWhile(/[^'"\\]/),o.eat("\\")){if(o.next(),n&&o.eol())return r}else{if(o.match(e))return i.tokenize=t,r;o.eat(/['"]/)}if(n){if(s.singleLineStringErrors)return l;i.tokenize=t}return r}return o.isString=!0,o}(e.current(),t.tokenize),t.tokenize(e,t))}for(var a=0;a<u.length;a++)if(e.match(u[a]))return"operator";return e.match(c)?"punctuation":"."==t.lastToken&&e.match(b)?"property":e.match(_)||e.match(r)?"keyword":e.match(v)?"builtin":e.match(/^(self|cls)\b/)?"variable-2":e.match(b)?"def"==t.lastToken||"class"==t.lastToken?"def":"variable":(e.next(),l)}function x(e){for(;"py"!=a(e).type;)e.scopes.pop();e.scopes.push({offset:a(e).offset+n.indentUnit,type:"py",align:null})}function k(e,t){for(var n=e.indentation();t.scopes.length>1&&a(t).offset>n;){if("py"!=a(t).type)return!0;t.scopes.pop()}return a(t).offset!=n}function C(e,t){e.sol()&&(t.beginningOfLine=!0);var n=t.tokenize(e,t),r=e.current();if(t.beginningOfLine&&"@"==r)return e.match(b,!1)?"meta":m?"operator":l;if(/\S/.test(r)&&(t.beginningOfLine=!1),"variable"!=n&&"builtin"!=n||"meta"!=t.lastToken||(n="meta"),"pass"!=r&&"return"!=r||(t.dedent+=1),"lambda"==r&&(t.lambda=!0),":"!=r||t.lambda||"py"!=a(t).type||x(t),1==r.length&&!/string|comment/.test(n)){var o="[({".indexOf(r);if(-1!=o&&function(e,t,n){var r=e.match(/^([\s\[\{\(]|#.*)*$/,!1)?null:e.column()+1;t.scopes.push({offset:t.indent+d,type:n,align:r})}(e,t,"])}".slice(o,o+1)),-1!=(o="])}".indexOf(r))){if(a(t).type!=r)return l;t.indent=t.scopes.pop().offset-d}}return t.dedent>0&&e.eol()&&"py"==a(t).type&&(t.scopes.length>1&&t.scopes.pop(),t.dedent-=1),n}var E={startState:function(e){return{tokenize:y,scopes:[{offset:e||0,type:"py",align:null}],indent:e||0,lastToken:null,lambda:!1,dedent:0}},token:function(e,t){var n=t.errorToken;n&&(t.errorToken=!1);var r=C(e,t);return r&&"comment"!=r&&(t.lastToken="keyword"==r||"punctuation"==r?e.current():r),"punctuation"==r&&(r=null),e.eol()&&t.lambda&&(t.lambda=!1),n?r+" "+l:r},indent:function(t,n){if(t.tokenize!=y)return t.tokenize.isString?e.Pass:0;var r=a(t),o=r.type==n.charAt(0);return null!=r.align?r.align-(o?1:0):r.offset-(o?d:0)},electricInput:/^\s*[\}\]\)]$/,closeBrackets:{triples:"'\""},lineComment:"#",fold:"indent"};return E}),e.defineMIME("text/x-python","python"),e.defineMIME("text/x-cython",{name:"python",extra_keywords:(n="by cdef cimport cpdef ctypedef enum except extern gil include nogil property public readonly struct union DEF IF ELIF ELSE",n.split(" "))})}(n(1629))},2990:function(e,t,n){!function(e){"use strict";var t={script:[["lang",/(javascript|babel)/i,"javascript"],["type",/^(?:text|application)\/(?:x-)?(?:java|ecma)script$|^module$|^$/i,"javascript"],["type",/./,"text/plain"],[null,null,"javascript"]],style:[["lang",/^css$/i,"css"],["type",/^(text\/)?(x-)?(stylesheet|css)$/i,"css"],["type",/./,"text/plain"],[null,null,"css"]]},n={};function r(e,t){var r=e.match(function(e){var t=n[e];return t||(n[e]=new RegExp("\\s+"+e+"\\s*=\\s*('|\")?([^'\"]+)('|\")?\\s*"))}(t));return r?/^\s*(.*?)\s*$/.exec(r[2])[1]:""}function o(e,t){return new RegExp((t?"^":"")+"</s*"+e+"s*>","i")}function i(e,t){for(var n in e)for(var r=t[n]||(t[n]=[]),o=e[n],i=o.length-1;i>=0;i--)r.unshift(o[i])}e.defineMode("htmlmixed",function(n,a){var s=e.getMode(n,{name:"xml",htmlMode:!0,multilineTagIndentFactor:a.multilineTagIndentFactor,multilineTagIndentPastTag:a.multilineTagIndentPastTag}),l={},c=a&&a.tags,u=a&&a.scriptTypes;if(i(t,l),c&&i(c,l),u)for(var p=u.length-1;p>=0;p--)l.script.unshift(["type",u[p].matches,u[p].mode]);function d(t,i){var a,c=s.token(t,i.htmlState),u=/\btag\b/.test(c);if(u&&!/[<>\s\/]/.test(t.current())&&(a=i.htmlState.tagName&&i.htmlState.tagName.toLowerCase())&&l.hasOwnProperty(a))i.inTag=a+" ";else if(i.inTag&&u&&/>$/.test(t.current())){var p=/^([\S]+) (.*)/.exec(i.inTag);i.inTag=null;var f=">"==t.current()&&function(e,t){for(var n=0;n<e.length;n++){var o=e[n];if(!o[0]||o[1].test(r(t,o[0])))return o[2]}}(l[p[1]],p[2]),h=e.getMode(n,f),m=o(p[1],!0),b=o(p[1],!1);i.token=function(e,t){return e.match(m,!1)?(t.token=d,t.localState=t.localMode=null,null):function(e,t,n){var r=e.current(),o=r.search(t);return o>-1?e.backUp(r.length-o):r.match(/<\/?$/)&&(e.backUp(r.length),e.match(t,!1)||e.match(r)),n}(e,b,t.localMode.token(e,t.localState))},i.localMode=h,i.localState=e.startState(h,s.indent(i.htmlState,"",""))}else i.inTag&&(i.inTag+=t.current(),t.eol()&&(i.inTag+=" "));return c}return{startState:function(){var t=e.startState(s);return{token:d,inTag:null,localMode:null,localState:null,htmlState:t}},copyState:function(t){var n;return t.localState&&(n=e.copyState(t.localMode,t.localState)),{token:t.token,inTag:t.inTag,localMode:t.localMode,localState:n,htmlState:e.copyState(s,t.htmlState)}},token:function(e,t){return t.token(e,t)},indent:function(t,n,r){return!t.localMode||/^\s*<\//.test(n)?s.indent(t.htmlState,n,r):t.localMode.indent?t.localMode.indent(t.localState,n,r):e.Pass},innerMode:function(e){return{state:e.localState||e.htmlState,mode:e.localMode||s}}}},"xml","javascript","css"),e.defineMIME("text/html","htmlmixed")}(n(1629),n(1761),n(1833),n(1997))},2991:function(e,t,n){!function(e){"use strict";e.defineMode("shell",function(){var t={};function n(e,n){for(var r=0;r<n.length;r++)t[n[r]]=e}var r=["true","false"],o=["if","then","do","else","elif","while","until","for","in","esac","fi","fin","fil","done","exit","set","unset","export","function"],i=["ab","awk","bash","beep","cat","cc","cd","chown","chmod","chroot","clear","cp","curl","cut","diff","echo","find","gawk","gcc","get","git","grep","hg","kill","killall","ln","ls","make","mkdir","openssl","mv","nc","nl","node","npm","ping","ps","restart","rm","rmdir","sed","service","sh","shopt","shred","source","sort","sleep","ssh","start","stop","su","sudo","svn","tee","telnet","top","touch","vi","vim","wall","wc","wget","who","write","yes","zsh"];function a(e,t){var n="("==e?")":"{"==e?"}":e;return function(r,o){for(var i,u=!1;null!=(i=r.next());){if(i===n&&!u){o.tokens.shift();break}if("$"===i&&!u&&"'"!==e&&r.peek()!=n){u=!0,r.backUp(1),o.tokens.unshift(l);break}if(!u&&e!==n&&i===e)return o.tokens.unshift(a(e,t)),c(r,o);if(!u&&/['"]/.test(i)&&!/['"]/.test(e)){o.tokens.unshift(s(i,"string")),r.backUp(1);break}u=!u&&"\\"===i}return t}}function s(e,t){return function(n,r){return r.tokens[0]=a(e,t),n.next(),c(n,r)}}e.registerHelper("hintWords","shell",r.concat(o,i)),n("atom",r),n("keyword",o),n("builtin",i);var l=function(e,t){t.tokens.length>1&&e.eat("$");var n=e.next();return/['"({]/.test(n)?(t.tokens[0]=a(n,"("==n?"quote":"{"==n?"def":"string"),c(e,t)):(/\d/.test(n)||e.eatWhile(/\w/),t.tokens.shift(),"def")};function c(e,n){return(n.tokens[0]||function(e,n){if(e.eatSpace())return null;var r=e.sol(),o=e.next();if("\\"===o)return e.next(),null;if("'"===o||'"'===o||"`"===o)return n.tokens.unshift(a(o,"`"===o?"quote":"string")),c(e,n);if("#"===o)return r&&e.eat("!")?(e.skipToEnd(),"meta"):(e.skipToEnd(),"comment");if("$"===o)return n.tokens.unshift(l),c(e,n);if("+"===o||"="===o)return"operator";if("-"===o)return e.eat("-"),e.eatWhile(/\w/),"attribute";if(/\d/.test(o)&&(e.eatWhile(/\d/),e.eol()||!/\w/.test(e.peek())))return"number";e.eatWhile(/[\w-]/);var i=e.current();return"="===e.peek()&&/\w+/.test(i)?"def":t.hasOwnProperty(i)?t[i]:null})(e,n)}return{startState:function(){return{tokens:[]}},token:function(e,t){return c(e,t)},closeBrackets:"()[]{}''\"\"``",lineComment:"#",fold:"brace"}}),e.defineMIME("text/x-sh","shell"),e.defineMIME("application/x-sh","shell")}(n(1629))},2992:function(e,t,n){!function(e){"use strict";function t(e,t,n,r,o,i){this.indented=e,this.column=t,this.type=n,this.info=r,this.align=o,this.prev=i}function n(e,n,r,o){var i=e.indented;return e.context&&"statement"==e.context.type&&"statement"!=r&&(i=e.context.indented),e.context=new t(i,n,r,o,null,e.context)}function r(e){var t=e.context.type;return")"!=t&&"]"!=t&&"}"!=t||(e.indented=e.context.indented),e.context=e.context.prev}function o(e,t,n){return"variable"==t.prevToken||"type"==t.prevToken||!!/\S(?:[^- ]>|[*\]])\s*$|\*$/.test(e.string.slice(0,n))||!(!t.typeAtEndOfLine||e.column()!=e.indentation())||void 0}function i(e){for(;;){if(!e||"top"==e.type)return!0;if("}"==e.type&&"namespace"!=e.prev.info)return!1;e=e.prev}}function a(e){for(var t={},n=e.split(" "),r=0;r<n.length;++r)t[n[r]]=!0;return t}function s(e,t){return"function"==typeof e?e(t):e.propertyIsEnumerable(t)}e.defineMode("clike",function(a,l){var c,u,p=a.indentUnit,d=l.statementIndentUnit||p,f=l.dontAlignCalls,h=l.keywords||{},m=l.types||{},b=l.builtin||{},g=l.blockKeywords||{},_=l.defKeywords||{},v=l.atoms||{},y=l.hooks||{},w=l.multiLineStrings,x=!1!==l.indentStatements,k=!1!==l.indentSwitch,C=l.namespaceSeparator,E=l.isPunctuationChar||/[\[\]{}\(\),;\:\.]/,O=l.numberStart||/[\d\.]/,T=l.number||/^(?:0x[a-f\d]+|0b[01]+|(?:\d+\.?\d*|\.\d+)(?:e[-+]?\d+)?)(u|ll?|l|f)?/i,S=l.isOperatorChar||/[+\-*&%=<>!?|\/]/,P=l.isIdentifierChar||/[\w\$_\xa1-\uffff]/,M=l.isReservedIdentifier||!1;function D(e,t){var n,r=e.next();if(y[r]){var o=y[r](e,t);if(!1!==o)return o}if('"'==r||"'"==r)return t.tokenize=(n=r,function(e,t){for(var r,o=!1,i=!1;null!=(r=e.next());){if(r==n&&!o){i=!0;break}o=!o&&"\\"==r}return(i||!o&&!w)&&(t.tokenize=null),"string"}),t.tokenize(e,t);if(E.test(r))return c=r,null;if(O.test(r)){if(e.backUp(1),e.match(T))return"number";e.next()}if("/"==r){if(e.eat("*"))return t.tokenize=A,A(e,t);if(e.eat("/"))return e.skipToEnd(),"comment"}if(S.test(r)){for(;!e.match(/^\/[\/*]/,!1)&&e.eat(S););return"operator"}if(e.eatWhile(P),C)for(;e.match(C);)e.eatWhile(P);var i=e.current();return s(h,i)?(s(g,i)&&(c="newstatement"),s(_,i)&&(u=!0),"keyword"):s(m,i)?"type":s(b,i)||M&&M(i)?(s(g,i)&&(c="newstatement"),"builtin"):s(v,i)?"atom":"variable"}function A(e,t){for(var n,r=!1;n=e.next();){if("/"==n&&r){t.tokenize=null;break}r="*"==n}return"comment"}function R(e,t){l.typeFirstDefinitions&&e.eol()&&i(t.context)&&(t.typeAtEndOfLine=o(e,t,e.pos))}return{startState:function(e){return{tokenize:null,context:new t((e||0)-p,0,"top",null,!1),indented:0,startOfLine:!0,prevToken:null}},token:function(e,t){var a=t.context;if(e.sol()&&(null==a.align&&(a.align=!1),t.indented=e.indentation(),t.startOfLine=!0),e.eatSpace())return R(e,t),null;c=u=null;var s=(t.tokenize||D)(e,t);if("comment"==s||"meta"==s)return s;if(null==a.align&&(a.align=!0),";"==c||":"==c||","==c&&e.match(/^\s*(?:\/\/.*)?$/,!1))for(;"statement"==t.context.type;)r(t);else if("{"==c)n(t,e.column(),"}");else if("["==c)n(t,e.column(),"]");else if("("==c)n(t,e.column(),")");else if("}"==c){for(;"statement"==a.type;)a=r(t);for("}"==a.type&&(a=r(t));"statement"==a.type;)a=r(t)}else c==a.type?r(t):x&&(("}"==a.type||"top"==a.type)&&";"!=c||"statement"==a.type&&"newstatement"==c)&&n(t,e.column(),"statement",e.current());if("variable"==s&&("def"==t.prevToken||l.typeFirstDefinitions&&o(e,t,e.start)&&i(t.context)&&e.match(/^\s*\(/,!1))&&(s="def"),y.token){var p=y.token(e,t,s);void 0!==p&&(s=p)}return"def"==s&&!1===l.styleDefs&&(s="variable"),t.startOfLine=!1,t.prevToken=u?"def":s||c,R(e,t),s},indent:function(t,n){if(t.tokenize!=D&&null!=t.tokenize||t.typeAtEndOfLine)return e.Pass;var r=t.context,o=n&&n.charAt(0),i=o==r.type;if("statement"==r.type&&"}"==o&&(r=r.prev),l.dontIndentStatements)for(;"statement"==r.type&&l.dontIndentStatements.test(r.info);)r=r.prev;if(y.indent){var a=y.indent(t,r,n,p);if("number"==typeof a)return a}var s=r.prev&&"switch"==r.prev.info;if(l.allmanIndentation&&/[{(]/.test(o)){for(;"top"!=r.type&&"}"!=r.type;)r=r.prev;return r.indented}return"statement"==r.type?r.indented+("{"==o?0:d):!r.align||f&&")"==r.type?")"!=r.type||i?r.indented+(i?0:p)+(i||!s||/^(?:case|default)\b/.test(n)?0:p):r.indented+d:r.column+(i?0:1)},electricInput:k?/^\s*(?:case .*?:|default:|\{\}?|\})$/:/^\s*[{}]$/,blockCommentStart:"/*",blockCommentEnd:"*/",blockCommentContinue:" * ",lineComment:"//",fold:"brace"}});var l="auto if break case register continue return default do sizeof static else struct switch extern typedef union for goto while enum const volatile inline restrict asm fortran",c=a("int long char short double float unsigned signed void bool"),u=a("SEL instancetype id Class Protocol BOOL");function p(e){return s(c,e)||/.+_t$/.test(e)}var d="case do else for if switch while struct enum union";function f(e,t){if(!t.startOfLine)return!1;for(var n,r=null;n=e.peek();){if("\\"==n&&e.match(/^.$/)){r=f;break}if("/"==n&&e.match(/^\/[\/\*]/,!1))break;e.next()}return t.tokenize=r,"meta"}function h(e,t){return"type"==t.prevToken&&"type"}function m(e){return!(!e||e.length<2||"_"!=e[0]||"_"!=e[1]&&e[1]===e[1].toLowerCase())}function b(e){return e.eatWhile(/[\w\.']/),"number"}function g(e,t){if(e.backUp(1),e.match(/(R|u8R|uR|UR|LR)/)){var n=e.match(/"([^\s\\()]{0,16})\(/);return!!n&&(t.cpp11RawStringDelim=n[1],t.tokenize=v,v(e,t))}return e.match(/(u8|u|U|L)/)?!!e.match(/["']/,!1)&&"string":(e.next(),!1)}function _(e,t){for(var n;null!=(n=e.next());)if('"'==n&&!e.eat('"')){t.tokenize=null;break}return"string"}function v(e,t){var n=t.cpp11RawStringDelim.replace(/[^\w\s]/g,"\\$&"),r=e.match(new RegExp(".*?\\)"+n+'"'));return r?t.tokenize=null:e.skipToEnd(),"string"}function y(t,n){"string"==typeof t&&(t=[t]);var r=[];function o(e){if(e)for(var t in e)e.hasOwnProperty(t)&&r.push(t)}o(n.keywords),o(n.types),o(n.builtin),o(n.atoms),r.length&&(n.helperType=t[0],e.registerHelper("hintWords",t[0],r));for(var i=0;i<t.length;++i)e.defineMIME(t[i],n)}function w(e,t){for(var n=!1;!e.eol();){if(!n&&e.match('"""')){t.tokenize=null;break}n="\\"==e.next()&&!n}return"string"}y(["text/x-csrc","text/x-c","text/x-chdr"],{name:"clike",keywords:a(l),types:p,blockKeywords:a(d),defKeywords:a("struct enum union"),typeFirstDefinitions:!0,atoms:a("NULL true false"),isReservedIdentifier:m,hooks:{"#":f,"*":h},modeProps:{fold:["brace","include"]}}),y(["text/x-c++src","text/x-c++hdr"],{name:"clike",keywords:a(l+"alignas alignof and and_eq audit axiom bitand bitor catch class compl concept constexpr const_cast decltype delete dynamic_cast explicit export final friend import module mutable namespace new noexcept not not_eq operator or or_eq override private protected public reinterpret_cast requires static_assert static_cast template this thread_local throw try typeid typename using virtual xor xor_eq"),types:p,blockKeywords:a(d+" class try catch"),defKeywords:a("struct enum union class namespace"),typeFirstDefinitions:!0,atoms:a("true false NULL nullptr"),dontIndentStatements:/^template$/,isIdentifierChar:/[\w\$_~\xa1-\uffff]/,isReservedIdentifier:m,hooks:{"#":f,"*":h,u:g,U:g,L:g,R:g,0:b,1:b,2:b,3:b,4:b,5:b,6:b,7:b,8:b,9:b,token:function(e,t,n){if("variable"==n&&"("==e.peek()&&(";"==t.prevToken||null==t.prevToken||"}"==t.prevToken)&&(r=e.current(),(o=/(\w+)::~?(\w+)$/.exec(r))&&o[1]==o[2]))return"def";var r,o}},namespaceSeparator:"::",modeProps:{fold:["brace","include"]}}),y("text/x-java",{name:"clike",keywords:a("abstract assert break case catch class const continue default do else enum extends final finally float for goto if implements import instanceof interface native new package private protected public return static strictfp super switch synchronized this throw throws transient try volatile while @interface"),types:a("byte short int long float double boolean char void Boolean Byte Character Double Float Integer Long Number Object Short String StringBuffer StringBuilder Void"),blockKeywords:a("catch class do else finally for if switch try while"),defKeywords:a("class interface enum @interface"),typeFirstDefinitions:!0,atoms:a("true false null"),number:/^(?:0x[a-f\d_]+|0b[01_]+|(?:[\d_]+\.?\d*|\.\d+)(?:e[-+]?[\d_]+)?)(u|ll?|l|f)?/i,hooks:{"@":function(e){return!e.match("interface",!1)&&(e.eatWhile(/[\w\$_]/),"meta")}},modeProps:{fold:["brace","import"]}}),y("text/x-csharp",{name:"clike",keywords:a("abstract as async await base break case catch checked class const continue default delegate do else enum event explicit extern finally fixed for foreach goto if implicit in interface internal is lock namespace new operator out override params private protected public readonly ref return sealed sizeof stackalloc static struct switch this throw try typeof unchecked unsafe using virtual void volatile while add alias ascending descending dynamic from get global group into join let orderby partial remove select set value var yield"),types:a("Action Boolean Byte Char DateTime DateTimeOffset Decimal Double Func Guid Int16 Int32 Int64 Object SByte Single String Task TimeSpan UInt16 UInt32 UInt64 bool byte char decimal double short int long object sbyte float string ushort uint ulong"),blockKeywords:a("catch class do else finally for foreach if struct switch try while"),defKeywords:a("class interface namespace struct var"),typeFirstDefinitions:!0,atoms:a("true false null"),hooks:{"@":function(e,t){return e.eat('"')?(t.tokenize=_,_(e,t)):(e.eatWhile(/[\w\$_]/),"meta")}}}),y("text/x-scala",{name:"clike",keywords:a("abstract case catch class def do else extends final finally for forSome if implicit import lazy match new null object override package private protected return sealed super this throw trait try type val var while with yield _ assert assume require print println printf readLine readBoolean readByte readShort readChar readInt readLong readFloat readDouble"),types:a("AnyVal App Application Array BufferedIterator BigDecimal BigInt Char Console Either Enumeration Equiv Error Exception Fractional Function IndexedSeq Int Integral Iterable Iterator List Map Numeric Nil NotNull Option Ordered Ordering PartialFunction PartialOrdering Product Proxy Range Responder Seq Serializable Set Specializable Stream StringBuilder StringContext Symbol Throwable Traversable TraversableOnce Tuple Unit Vector Boolean Byte Character CharSequence Class ClassLoader Cloneable Comparable Compiler Double Exception Float Integer Long Math Number Object Package Pair Process Runtime Runnable SecurityManager Short StackTraceElement StrictMath String StringBuffer System Thread ThreadGroup ThreadLocal Throwable Triple Void"),multiLineStrings:!0,blockKeywords:a("catch class enum do else finally for forSome if match switch try while"),defKeywords:a("class enum def object package trait type val var"),atoms:a("true false null"),indentStatements:!1,indentSwitch:!1,isOperatorChar:/[+\-*&%=<>!?|\/#:@]/,hooks:{"@":function(e){return e.eatWhile(/[\w\$_]/),"meta"},'"':function(e,t){return!!e.match('""')&&(t.tokenize=w,t.tokenize(e,t))},"'":function(e){return e.eatWhile(/[\w\$_\xa1-\uffff]/),"atom"},"=":function(e,n){var r=n.context;return!("}"!=r.type||!r.align||!e.eat(">"))&&(n.context=new t(r.indented,r.column,r.type,r.info,null,r.prev),"operator")},"/":function(e,t){return!!e.eat("*")&&(t.tokenize=function e(t){return function(n,r){for(var o;o=n.next();){if("*"==o&&n.eat("/")){if(1==t){r.tokenize=null;break}return r.tokenize=e(t-1),r.tokenize(n,r)}if("/"==o&&n.eat("*"))return r.tokenize=e(t+1),r.tokenize(n,r)}return"comment"}}(1),t.tokenize(e,t))}},modeProps:{closeBrackets:{pairs:'()[]{}""',triples:'"'}}}),y("text/x-kotlin",{name:"clike",keywords:a("package as typealias class interface this super val operator var fun for is in This throw return annotation break continue object if else while do try when !in !is as? file import where by get set abstract enum open inner override private public internal protected catch finally out final vararg reified dynamic companion constructor init sealed field property receiver param sparam lateinit data inline noinline tailrec external annotation crossinline const operator infix suspend actual expect setparam"),types:a("Boolean Byte Character CharSequence Class ClassLoader Cloneable Comparable Compiler Double Exception Float Integer Long Math Number Object Package Pair Process Runtime Runnable SecurityManager Short StackTraceElement StrictMath String StringBuffer System Thread ThreadGroup ThreadLocal Throwable Triple Void Annotation Any BooleanArray ByteArray Char CharArray DeprecationLevel DoubleArray Enum FloatArray Function Int IntArray Lazy LazyThreadSafetyMode LongArray Nothing ShortArray Unit"),intendSwitch:!1,indentStatements:!1,multiLineStrings:!0,number:/^(?:0x[a-f\d_]+|0b[01_]+|(?:[\d_]+(\.\d+)?|\.\d+)(?:e[-+]?[\d_]+)?)(u|ll?|l|f)?/i,blockKeywords:a("catch class do else finally for if where try while enum"),defKeywords:a("class val var object interface fun"),atoms:a("true false null this"),hooks:{"@":function(e){return e.eatWhile(/[\w\$_]/),"meta"},"*":function(e,t){return"."==t.prevToken?"variable":"operator"},'"':function(e,t){var n;return t.tokenize=(n=e.match('""'),function(e,t){for(var r,o=!1,i=!1;!e.eol();){if(!n&&!o&&e.match('"')){i=!0;break}if(n&&e.match('"""')){i=!0;break}r=e.next(),!o&&"$"==r&&e.match("{")&&e.skipTo("}"),o=!o&&"\\"==r&&!n}return!i&&n||(t.tokenize=null),"string"}),t.tokenize(e,t)},indent:function(e,t,n,r){var o=n&&n.charAt(0);return"}"!=e.prevToken&&")"!=e.prevToken||""!=n?"operator"==e.prevToken&&"}"!=n||"variable"==e.prevToken&&"."==o||("}"==e.prevToken||")"==e.prevToken)&&"."==o?2*r+t.indented:t.align&&"}"==t.type?t.indented+(e.context.type==(n||"").charAt(0)?0:r):void 0:e.indented}},modeProps:{closeBrackets:{triples:'"'}}}),y(["x-shader/x-vertex","x-shader/x-fragment"],{name:"clike",keywords:a("sampler1D sampler2D sampler3D samplerCube sampler1DShadow sampler2DShadow const attribute uniform varying break continue discard return for while do if else struct in out inout"),types:a("float int bool void vec2 vec3 vec4 ivec2 ivec3 ivec4 bvec2 bvec3 bvec4 mat2 mat3 mat4"),blockKeywords:a("for while do if else struct"),builtin:a("radians degrees sin cos tan asin acos atan pow exp log exp2 sqrt inversesqrt abs sign floor ceil fract mod min max clamp mix step smoothstep length distance dot cross normalize ftransform faceforward reflect refract matrixCompMult lessThan lessThanEqual greaterThan greaterThanEqual equal notEqual any all not texture1D texture1DProj texture1DLod texture1DProjLod texture2D texture2DProj texture2DLod texture2DProjLod texture3D texture3DProj texture3DLod texture3DProjLod textureCube textureCubeLod shadow1D shadow2D shadow1DProj shadow2DProj shadow1DLod shadow2DLod shadow1DProjLod shadow2DProjLod dFdx dFdy fwidth noise1 noise2 noise3 noise4"),atoms:a("true false gl_FragColor gl_SecondaryColor gl_Normal gl_Vertex gl_MultiTexCoord0 gl_MultiTexCoord1 gl_MultiTexCoord2 gl_MultiTexCoord3 gl_MultiTexCoord4 gl_MultiTexCoord5 gl_MultiTexCoord6 gl_MultiTexCoord7 gl_FogCoord gl_PointCoord gl_Position gl_PointSize gl_ClipVertex gl_FrontColor gl_BackColor gl_FrontSecondaryColor gl_BackSecondaryColor gl_TexCoord gl_FogFragCoord gl_FragCoord gl_FrontFacing gl_FragData gl_FragDepth gl_ModelViewMatrix gl_ProjectionMatrix gl_ModelViewProjectionMatrix gl_TextureMatrix gl_NormalMatrix gl_ModelViewMatrixInverse gl_ProjectionMatrixInverse gl_ModelViewProjectionMatrixInverse gl_TexureMatrixTranspose gl_ModelViewMatrixInverseTranspose gl_ProjectionMatrixInverseTranspose gl_ModelViewProjectionMatrixInverseTranspose gl_TextureMatrixInverseTranspose gl_NormalScale gl_DepthRange gl_ClipPlane gl_Point gl_FrontMaterial gl_BackMaterial gl_LightSource gl_LightModel gl_FrontLightModelProduct gl_BackLightModelProduct gl_TextureColor gl_EyePlaneS gl_EyePlaneT gl_EyePlaneR gl_EyePlaneQ gl_FogParameters gl_MaxLights gl_MaxClipPlanes gl_MaxTextureUnits gl_MaxTextureCoords gl_MaxVertexAttribs gl_MaxVertexUniformComponents gl_MaxVaryingFloats gl_MaxVertexTextureImageUnits gl_MaxTextureImageUnits gl_MaxFragmentUniformComponents gl_MaxCombineTextureImageUnits gl_MaxDrawBuffers"),indentSwitch:!1,hooks:{"#":f},modeProps:{fold:["brace","include"]}}),y("text/x-nesc",{name:"clike",keywords:a(l+" as atomic async call command component components configuration event generic implementation includes interface module new norace nx_struct nx_union post provides signal task uses abstract extends"),types:p,blockKeywords:a(d),atoms:a("null true false"),hooks:{"#":f},modeProps:{fold:["brace","include"]}}),y("text/x-objectivec",{name:"clike",keywords:a(l+" bycopy byref in inout oneway out self super atomic nonatomic retain copy readwrite readonly strong weak assign typeof nullable nonnull null_resettable _cmd @interface @implementation @end @protocol @encode @property @synthesize @dynamic @class @public @package @private @protected @required @optional @try @catch @finally @import @selector @encode @defs @synchronized @autoreleasepool @compatibility_alias @available"),types:function(e){return p(e)||s(u,e)},builtin:a("FOUNDATION_EXPORT FOUNDATION_EXTERN NS_INLINE NS_FORMAT_FUNCTION NS_RETURNS_RETAINED NS_ERROR_ENUM NS_RETURNS_NOT_RETAINED NS_RETURNS_INNER_POINTER NS_DESIGNATED_INITIALIZER NS_ENUM NS_OPTIONS NS_REQUIRES_NIL_TERMINATION NS_ASSUME_NONNULL_BEGIN NS_ASSUME_NONNULL_END NS_SWIFT_NAME NS_REFINED_FOR_SWIFT"),blockKeywords:a(d+" @synthesize @try @catch @finally @autoreleasepool @synchronized"),defKeywords:a("struct enum union @interface @implementation @protocol @class"),dontIndentStatements:/^@.*$/,typeFirstDefinitions:!0,atoms:a("YES NO NULL Nil nil true false nullptr"),isReservedIdentifier:m,hooks:{"#":f,"*":h},modeProps:{fold:["brace","include"]}}),y("text/x-squirrel",{name:"clike",keywords:a("base break clone continue const default delete enum extends function in class foreach local resume return this throw typeof yield constructor instanceof static"),types:p,blockKeywords:a("case catch class else for foreach if switch try while"),defKeywords:a("function local class"),typeFirstDefinitions:!0,atoms:a("true false null"),hooks:{"#":f},modeProps:{fold:["brace","include"]}});var x=null;y("text/x-ceylon",{name:"clike",keywords:a("abstracts alias assembly assert assign break case catch class continue dynamic else exists extends finally for function given if import in interface is let module new nonempty object of out outer package return satisfies super switch then this throw try value void while"),types:function(e){var t=e.charAt(0);return t===t.toUpperCase()&&t!==t.toLowerCase()},blockKeywords:a("case catch class dynamic else finally for function if interface module new object switch try while"),defKeywords:a("class dynamic function interface module object package value"),builtin:a("abstract actual aliased annotation by default deprecated doc final formal late license native optional sealed see serializable shared suppressWarnings tagged throws variable"),isPunctuationChar:/[\[\]{}\(\),;\:\.`]/,isOperatorChar:/[+\-*&%=<>!?|^~:\/]/,numberStart:/[\d#$]/,number:/^(?:#[\da-fA-F_]+|\$[01_]+|[\d_]+[kMGTPmunpf]?|[\d_]+\.[\d_]+(?:[eE][-+]?\d+|[kMGTPmunpf]|)|)/i,multiLineStrings:!0,typeFirstDefinitions:!0,atoms:a("true false null larger smaller equal empty finished"),indentSwitch:!1,styleDefs:!1,hooks:{"@":function(e){return e.eatWhile(/[\w\$_]/),"meta"},'"':function(e,t){return t.tokenize=function e(t){return function(n,r){for(var o,i=!1,a=!1;!n.eol();){if(!i&&n.match('"')&&("single"==t||n.match('""'))){a=!0;break}if(!i&&n.match("``")){x=e(t),a=!0;break}o=n.next(),i="single"==t&&!i&&"\\"==o}return a&&(r.tokenize=null),"string"}}(e.match('""')?"triple":"single"),t.tokenize(e,t)},"`":function(e,t){return!(!x||!e.match("`"))&&(t.tokenize=x,x=null,t.tokenize(e,t))},"'":function(e){return e.eatWhile(/[\w\$_\xa1-\uffff]/),"atom"},token:function(e,t,n){if(("variable"==n||"type"==n)&&"."==t.prevToken)return"variable-2"}},modeProps:{fold:["brace","import"],closeBrackets:{triples:'"'}}})}(n(1629))},2993:function(e,t,n){!function(e){"use strict";function t(e){for(var t={},n=0;n<e.length;n++)t[e[n]]=!0;return t}var n=t(["_","var","let","class","enum","extension","import","protocol","struct","func","typealias","associatedtype","open","public","internal","fileprivate","private","deinit","init","new","override","self","subscript","super","convenience","dynamic","final","indirect","lazy","required","static","unowned","unowned(safe)","unowned(unsafe)","weak","as","is","break","case","continue","default","else","fallthrough","for","guard","if","in","repeat","switch","where","while","defer","return","inout","mutating","nonmutating","catch","do","rethrows","throw","throws","try","didSet","get","set","willSet","assignment","associativity","infix","left","none","operator","postfix","precedence","precedencegroup","prefix","right","Any","AnyObject","Type","dynamicType","Self","Protocol","__COLUMN__","__FILE__","__FUNCTION__","__LINE__"]),r=t(["var","let","class","enum","extension","import","protocol","struct","func","typealias","associatedtype","for"]),o=t(["true","false","nil","self","super","_"]),i=t(["Array","Bool","Character","Dictionary","Double","Float","Int","Int8","Int16","Int32","Int64","Never","Optional","Set","String","UInt8","UInt16","UInt32","UInt64","Void"]),a="+-/*%=|&<>~^?!",s=":;,.(){}[]",l=/^\-?0b[01][01_]*/,c=/^\-?0o[0-7][0-7_]*/,u=/^\-?0x[\dA-Fa-f][\dA-Fa-f_]*(?:(?:\.[\dA-Fa-f][\dA-Fa-f_]*)?[Pp]\-?\d[\d_]*)?/,p=/^\-?\d[\d_]*(?:\.\d[\d_]*)?(?:[Ee]\-?\d[\d_]*)?/,d=/^\$\d+|(`?)[_A-Za-z][_A-Za-z$0-9]*\1/,f=/^\.(?:\$\d+|(`?)[_A-Za-z][_A-Za-z$0-9]*\1)/,h=/^\#[A-Za-z]+/,m=/^@(?:\$\d+|(`?)[_A-Za-z][_A-Za-z$0-9]*\1)/;function b(e,t,b){if(e.sol()&&(t.indented=e.indentation()),e.eatSpace())return null;var v,y=e.peek();if("/"==y){if(e.match("//"))return e.skipToEnd(),"comment";if(e.match("/*"))return t.tokenize.push(_),_(e,t)}if(e.match(h))return"builtin";if(e.match(m))return"attribute";if(e.match(l))return"number";if(e.match(c))return"number";if(e.match(u))return"number";if(e.match(p))return"number";if(e.match(f))return"property";if(a.indexOf(y)>-1)return e.next(),"operator";if(s.indexOf(y)>-1)return e.next(),e.match(".."),"punctuation";if(v=e.match(/("""|"|')/)){var w=function(e,t,n){for(var r,o=1==e.length,i=!1;r=t.peek();)if(i){if(t.next(),"("==r)return n.tokenize.push(g()),"string";i=!1}else{if(t.match(e))return n.tokenize.pop(),"string";t.next(),i="\\"==r}return o&&n.tokenize.pop(),"string"}.bind(null,v[0]);return t.tokenize.push(w),w(e,t)}if(e.match(d)){var x=e.current();return i.hasOwnProperty(x)?"variable-2":o.hasOwnProperty(x)?"atom":n.hasOwnProperty(x)?(r.hasOwnProperty(x)&&(t.prev="define"),"keyword"):"define"==b?"def":"variable"}return e.next(),null}function g(){var e=0;return function(t,n,r){var o=b(t,n,r);if("punctuation"==o)if("("==t.current())++e;else if(")"==t.current()){if(0==e)return t.backUp(1),n.tokenize.pop(),n.tokenize[n.tokenize.length-1](t,n);--e}return o}}function _(e,t){for(var n;e.match(/^[^\/*]+/,!0),n=e.next();)"/"===n&&e.eat("*")?t.tokenize.push(_):"*"===n&&e.eat("/")&&t.tokenize.pop();return"comment"}function v(e,t,n){this.prev=e,this.align=t,this.indented=n}e.defineMode("swift",function(e){return{startState:function(){return{prev:null,context:null,indented:0,tokenize:[]}},token:function(e,t){var n=t.prev;t.prev=null;var r=t.tokenize[t.tokenize.length-1]||b,o=r(e,t,n);if(o&&"comment"!=o?t.prev||(t.prev=o):t.prev=n,"punctuation"==o){var i=/[\(\[\{]|([\]\)\}])/.exec(e.current());i&&(i[1]?function(e){e.context&&(e.indented=e.context.indented,e.context=e.context.prev)}:function(e,t){var n=t.match(/^\s*($|\/[\/\*])/,!1)?null:t.column()+1;e.context=new v(e.context,n,e.indented)})(t,e)}return o},indent:function(t,n){var r=t.context;if(!r)return 0;var o=/^[\]\}\)]/.test(n);return null!=r.align?r.align-(o?1:0):r.indented+(o?0:e.indentUnit)},electricInput:/^\s*[\)\}\]]$/,lineComment:"//",blockCommentStart:"/*",blockCommentEnd:"*/",fold:"brace",closeBrackets:"()[]{}''\"\"``"}}),e.defineMIME("text/x-swift","swift")}(n(1629))},2994:function(e,t,n){!function(e){"use strict";e.defineMode("markdown",function(t,n){var r=e.getMode(t,"text/html"),o="null"==r.name;void 0===n.highlightFormatting&&(n.highlightFormatting=!1),void 0===n.maxBlockquoteDepth&&(n.maxBlockquoteDepth=0),void 0===n.taskLists&&(n.taskLists=!1),void 0===n.strikethrough&&(n.strikethrough=!1),void 0===n.emoji&&(n.emoji=!1),void 0===n.fencedCodeBlockHighlighting&&(n.fencedCodeBlockHighlighting=!0),void 0===n.xml&&(n.xml=!0),void 0===n.tokenTypeOverrides&&(n.tokenTypeOverrides={});var i={header:"header",code:"comment",quote:"quote",list1:"variable-2",list2:"variable-3",list3:"keyword",hr:"hr",image:"image",imageAltText:"image-alt-text",imageMarker:"image-marker",formatting:"formatting",linkInline:"link",linkEmail:"link",linkText:"link",linkHref:"string",em:"em",strong:"strong",strikethrough:"strikethrough",emoji:"builtin"};for(var a in i)i.hasOwnProperty(a)&&n.tokenTypeOverrides[a]&&(i[a]=n.tokenTypeOverrides[a]);var s=/^([*\-_])(?:\s*\1){2,}\s*$/,l=/^(?:[*\-+]|^[0-9]+([.)]))\s+/,c=/^\[(x| )\](?=\s)/i,u=n.allowAtxHeaderWithoutSpace?/^(#+)/:/^(#+)(?: |$)/,p=/^ *(?:\={1,}|-{1,})\s*$/,d=/^[^#!\[\]*_\\<>` "'(~:]+/,f=/^(~~~+|```+)[ \t]*([\w+#-]*)[^\n`]*$/,h=/^\s*\[[^\]]+?\]:.*$/,m=/[!"#$%&'()*+,\-.\/:;<=>?@\[\\\]^_`{|}~\xA1\xA7\xAB\xB6\xB7\xBB\xBF\u037E\u0387\u055A-\u055F\u0589\u058A\u05BE\u05C0\u05C3\u05C6\u05F3\u05F4\u0609\u060A\u060C\u060D\u061B\u061E\u061F\u066A-\u066D\u06D4\u0700-\u070D\u07F7-\u07F9\u0830-\u083E\u085E\u0964\u0965\u0970\u0AF0\u0DF4\u0E4F\u0E5A\u0E5B\u0F04-\u0F12\u0F14\u0F3A-\u0F3D\u0F85\u0FD0-\u0FD4\u0FD9\u0FDA\u104A-\u104F\u10FB\u1360-\u1368\u1400\u166D\u166E\u169B\u169C\u16EB-\u16ED\u1735\u1736\u17D4-\u17D6\u17D8-\u17DA\u1800-\u180A\u1944\u1945\u1A1E\u1A1F\u1AA0-\u1AA6\u1AA8-\u1AAD\u1B5A-\u1B60\u1BFC-\u1BFF\u1C3B-\u1C3F\u1C7E\u1C7F\u1CC0-\u1CC7\u1CD3\u2010-\u2027\u2030-\u2043\u2045-\u2051\u2053-\u205E\u207D\u207E\u208D\u208E\u2308-\u230B\u2329\u232A\u2768-\u2775\u27C5\u27C6\u27E6-\u27EF\u2983-\u2998\u29D8-\u29DB\u29FC\u29FD\u2CF9-\u2CFC\u2CFE\u2CFF\u2D70\u2E00-\u2E2E\u2E30-\u2E42\u3001-\u3003\u3008-\u3011\u3014-\u301F\u3030\u303D\u30A0\u30FB\uA4FE\uA4FF\uA60D-\uA60F\uA673\uA67E\uA6F2-\uA6F7\uA874-\uA877\uA8CE\uA8CF\uA8F8-\uA8FA\uA8FC\uA92E\uA92F\uA95F\uA9C1-\uA9CD\uA9DE\uA9DF\uAA5C-\uAA5F\uAADE\uAADF\uAAF0\uAAF1\uABEB\uFD3E\uFD3F\uFE10-\uFE19\uFE30-\uFE52\uFE54-\uFE61\uFE63\uFE68\uFE6A\uFE6B\uFF01-\uFF03\uFF05-\uFF0A\uFF0C-\uFF0F\uFF1A\uFF1B\uFF1F\uFF20\uFF3B-\uFF3D\uFF3F\uFF5B\uFF5D\uFF5F-\uFF65]|\uD800[\uDD00-\uDD02\uDF9F\uDFD0]|\uD801\uDD6F|\uD802[\uDC57\uDD1F\uDD3F\uDE50-\uDE58\uDE7F\uDEF0-\uDEF6\uDF39-\uDF3F\uDF99-\uDF9C]|\uD804[\uDC47-\uDC4D\uDCBB\uDCBC\uDCBE-\uDCC1\uDD40-\uDD43\uDD74\uDD75\uDDC5-\uDDC9\uDDCD\uDDDB\uDDDD-\uDDDF\uDE38-\uDE3D\uDEA9]|\uD805[\uDCC6\uDDC1-\uDDD7\uDE41-\uDE43\uDF3C-\uDF3E]|\uD809[\uDC70-\uDC74]|\uD81A[\uDE6E\uDE6F\uDEF5\uDF37-\uDF3B\uDF44]|\uD82F\uDC9F|\uD836[\uDE87-\uDE8B]/;function b(e,t,n){return t.f=t.inline=n,n(e,t)}function g(e,t,n){return t.f=t.block=n,n(e,t)}function _(t){if(t.linkTitle=!1,t.linkHref=!1,t.linkText=!1,t.em=!1,t.strong=!1,t.strikethrough=!1,t.quote=0,t.indentedCode=!1,t.f==y){var n=o;if(!n){var i=e.innerMode(r,t.htmlState);n="xml"==i.mode.name&&null===i.state.tagStart&&!i.state.context&&i.state.tokenize.isInText}n&&(t.f=C,t.block=v,t.htmlState=null)}return t.trailingSpace=0,t.trailingSpaceNewLine=!1,t.prevLine=t.thisLine,t.thisLine={stream:null},null}function v(r,o){var a,d=r.column()===o.indentation,m=!(a=o.prevLine.stream)||!/\S/.test(a.string),g=o.indentedCode,_=o.prevLine.hr,v=!1!==o.list,y=(o.listStack[o.listStack.length-1]||0)+3;o.indentedCode=!1;var k=o.indentation;if(null===o.indentationDiff&&(o.indentationDiff=o.indentation,v)){for(o.em=!1,o.strong=!1,o.code=!1,o.strikethrough=!1,o.list=null;k<o.listStack[o.listStack.length-1];)o.listStack.pop(),o.listStack.length?o.indentation=o.listStack[o.listStack.length-1]:o.list=!1;!1!==o.list&&(o.indentationDiff=k-o.listStack[o.listStack.length-1])}var C=!(m||_||o.prevLine.header||v&&g||o.prevLine.fencedCodeEnd),E=(!1===o.list||_||m)&&o.indentation<=y&&r.match(s),O=null;if(o.indentationDiff>=4&&(g||o.prevLine.fencedCodeEnd||o.prevLine.header||m))return r.skipToEnd(),o.indentedCode=!0,i.code;if(r.eatSpace())return null;if(d&&o.indentation<=y&&(O=r.match(u))&&O[1].length<=6)return o.quote=0,o.header=O[1].length,o.thisLine.header=!0,n.highlightFormatting&&(o.formatting="header"),o.f=o.inline,x(o);if(o.indentation<=y&&r.eat(">"))return o.quote=d?1:o.quote+1,n.highlightFormatting&&(o.formatting="quote"),r.eatSpace(),x(o);if(!E&&!o.setext&&d&&o.indentation<=y&&(O=r.match(l))){var T=O[1]?"ol":"ul";return o.indentation=k+r.current().length,o.list=!0,o.quote=0,o.listStack.push(o.indentation),n.taskLists&&r.match(c,!1)&&(o.taskList=!0),o.f=o.inline,n.highlightFormatting&&(o.formatting=["list","list-"+T]),x(o)}return d&&o.indentation<=y&&(O=r.match(f,!0))?(o.quote=0,o.fencedEndRE=new RegExp(O[1]+"+ *$"),o.localMode=n.fencedCodeBlockHighlighting&&function(n){if(e.findModeByName){var r=e.findModeByName(n);r&&(n=r.mime||r.mimes[0])}var o=e.getMode(t,n);return"null"==o.name?null:o}(O[2]),o.localMode&&(o.localState=e.startState(o.localMode)),o.f=o.block=w,n.highlightFormatting&&(o.formatting="code-block"),o.code=-1,x(o)):o.setext||!(C&&v||o.quote||!1!==o.list||o.code||E||h.test(r.string))&&(O=r.lookAhead(1))&&(O=O.match(p))?(o.setext?(o.header=o.setext,o.setext=0,r.skipToEnd(),n.highlightFormatting&&(o.formatting="header")):(o.header="="==O[0].charAt(0)?1:2,o.setext=o.header),o.thisLine.header=!0,o.f=o.inline,x(o)):E?(r.skipToEnd(),o.hr=!0,o.thisLine.hr=!0,i.hr):"["===r.peek()?b(r,o,S):b(r,o,o.inline)}function y(t,n){var i=r.token(t,n.htmlState);if(!o){var a=e.innerMode(r,n.htmlState);("xml"==a.mode.name&&null===a.state.tagStart&&!a.state.context&&a.state.tokenize.isInText||n.md_inside&&t.current().indexOf(">")>-1)&&(n.f=C,n.block=v,n.htmlState=null)}return i}function w(e,t){var r,o=t.listStack[t.listStack.length-1]||0,a=t.indentation<o,s=o+3;return t.fencedEndRE&&t.indentation<=s&&(a||e.match(t.fencedEndRE))?(n.highlightFormatting&&(t.formatting="code-block"),a||(r=x(t)),t.localMode=t.localState=null,t.block=v,t.f=C,t.fencedEndRE=null,t.code=0,t.thisLine.fencedCodeEnd=!0,a?g(e,t,t.block):r):t.localMode?t.localMode.token(e,t.localState):(e.skipToEnd(),i.code)}function x(e){var t=[];if(e.formatting){t.push(i.formatting),"string"==typeof e.formatting&&(e.formatting=[e.formatting]);for(var r=0;r<e.formatting.length;r++)t.push(i.formatting+"-"+e.formatting[r]),"header"===e.formatting[r]&&t.push(i.formatting+"-"+e.formatting[r]+"-"+e.header),"quote"===e.formatting[r]&&(!n.maxBlockquoteDepth||n.maxBlockquoteDepth>=e.quote?t.push(i.formatting+"-"+e.formatting[r]+"-"+e.quote):t.push("error"))}if(e.taskOpen)return t.push("meta"),t.length?t.join(" "):null;if(e.taskClosed)return t.push("property"),t.length?t.join(" "):null;if(e.linkHref?t.push(i.linkHref,"url"):(e.strong&&t.push(i.strong),e.em&&t.push(i.em),e.strikethrough&&t.push(i.strikethrough),e.emoji&&t.push(i.emoji),e.linkText&&t.push(i.linkText),e.code&&t.push(i.code),e.image&&t.push(i.image),e.imageAltText&&t.push(i.imageAltText,"link"),e.imageMarker&&t.push(i.imageMarker)),e.header&&t.push(i.header,i.header+"-"+e.header),e.quote&&(t.push(i.quote),!n.maxBlockquoteDepth||n.maxBlockquoteDepth>=e.quote?t.push(i.quote+"-"+e.quote):t.push(i.quote+"-"+n.maxBlockquoteDepth)),!1!==e.list){var o=(e.listStack.length-1)%3;o?1===o?t.push(i.list2):t.push(i.list3):t.push(i.list1)}return e.trailingSpaceNewLine?t.push("trailing-space-new-line"):e.trailingSpace&&t.push("trailing-space-"+(e.trailingSpace%2?"a":"b")),t.length?t.join(" "):null}function k(e,t){if(e.match(d,!0))return x(t)}function C(t,o){var a=o.text(t,o);if(void 0!==a)return a;if(o.list)return o.list=null,x(o);if(o.taskList){var s=" "===t.match(c,!0)[1];return s?o.taskOpen=!0:o.taskClosed=!0,n.highlightFormatting&&(o.formatting="task"),o.taskList=!1,x(o)}if(o.taskOpen=!1,o.taskClosed=!1,o.header&&t.match(/^#+$/,!0))return n.highlightFormatting&&(o.formatting="header"),x(o);var l=t.next();if(o.linkTitle){o.linkTitle=!1;var u=l;"("===l&&(u=")");var p="^\\s*(?:[^"+(u=(u+"").replace(/([.?*+^\[\]\\(){}|-])/g,"\\$1"))+"\\\\]+|\\\\\\\\|\\\\.)"+u;if(t.match(new RegExp(p),!0))return i.linkHref}if("`"===l){var d=o.formatting;n.highlightFormatting&&(o.formatting="code"),t.eatWhile("`");var f=t.current().length;if(0!=o.code||o.quote&&1!=f){if(f==o.code){var h=x(o);return o.code=0,h}return o.formatting=d,x(o)}return o.code=f,x(o)}if(o.code)return x(o);if("\\"===l&&(t.next(),n.highlightFormatting)){var b=x(o),_=i.formatting+"-escape";return b?b+" "+_:_}if("!"===l&&t.match(/\[[^\]]*\] ?(?:\(|\[)/,!1))return o.imageMarker=!0,o.image=!0,n.highlightFormatting&&(o.formatting="image"),x(o);if("["===l&&o.imageMarker&&t.match(/[^\]]*\](\(.*?\)| ?\[.*?\])/,!1))return o.imageMarker=!1,o.imageAltText=!0,n.highlightFormatting&&(o.formatting="image"),x(o);if("]"===l&&o.imageAltText){n.highlightFormatting&&(o.formatting="image");var b=x(o);return o.imageAltText=!1,o.image=!1,o.inline=o.f=O,b}if("["===l&&!o.image)return o.linkText&&t.match(/^.*?\]/)?x(o):(o.linkText=!0,n.highlightFormatting&&(o.formatting="link"),x(o));if("]"===l&&o.linkText){n.highlightFormatting&&(o.formatting="link");var b=x(o);return o.linkText=!1,o.inline=o.f=t.match(/\(.*?\)| ?\[.*?\]/,!1)?O:C,b}if("<"===l&&t.match(/^(https?|ftps?):\/\/(?:[^\\>]|\\.)+>/,!1)){o.f=o.inline=E,n.highlightFormatting&&(o.formatting="link");var b=x(o);return b?b+=" ":b="",b+i.linkInline}if("<"===l&&t.match(/^[^> \\]+@(?:[^\\>]|\\.)+>/,!1)){o.f=o.inline=E,n.highlightFormatting&&(o.formatting="link");var b=x(o);return b?b+=" ":b="",b+i.linkEmail}if(n.xml&&"<"===l&&t.match(/^(!--|\?|!\[CDATA\[|[a-z][a-z0-9-]*(?:\s+[a-z_:.\-]+(?:\s*=\s*[^>]+)?)*\s*(?:>|$))/i,!1)){var v=t.string.indexOf(">",t.pos);if(-1!=v){var w=t.string.substring(t.start,v);/markdown\s*=\s*('|"){0,1}1('|"){0,1}/.test(w)&&(o.md_inside=!0)}return t.backUp(1),o.htmlState=e.startState(r),g(t,o,y)}if(n.xml&&"<"===l&&t.match(/^\/\w*?>/))return o.md_inside=!1,"tag";if("*"===l||"_"===l){for(var k=1,T=1==t.pos?" ":t.string.charAt(t.pos-2);k<3&&t.eat(l);)k++;var S=t.peek()||" ",P=!/\s/.test(S)&&(!m.test(S)||/\s/.test(T)||m.test(T)),M=!/\s/.test(T)&&(!m.test(T)||/\s/.test(S)||m.test(S)),D=null,A=null;if(k%2&&(o.em||!P||"*"!==l&&M&&!m.test(T)?o.em!=l||!M||"*"!==l&&P&&!m.test(S)||(D=!1):D=!0),k>1&&(o.strong||!P||"*"!==l&&M&&!m.test(T)?o.strong!=l||!M||"*"!==l&&P&&!m.test(S)||(A=!1):A=!0),null!=A||null!=D){n.highlightFormatting&&(o.formatting=null==D?"strong":null==A?"em":"strong em"),!0===D&&(o.em=l),!0===A&&(o.strong=l);var h=x(o);return!1===D&&(o.em=!1),!1===A&&(o.strong=!1),h}}else if(" "===l&&(t.eat("*")||t.eat("_"))){if(" "===t.peek())return x(o);t.backUp(1)}if(n.strikethrough)if("~"===l&&t.eatWhile(l)){if(o.strikethrough){n.highlightFormatting&&(o.formatting="strikethrough");var h=x(o);return o.strikethrough=!1,h}if(t.match(/^[^\s]/,!1))return o.strikethrough=!0,n.highlightFormatting&&(o.formatting="strikethrough"),x(o)}else if(" "===l&&t.match(/^~~/,!0)){if(" "===t.peek())return x(o);t.backUp(2)}if(n.emoji&&":"===l&&t.match(/^(?:[a-z_\d+][a-z_\d+-]*|\-[a-z_\d+][a-z_\d+-]*):/)){o.emoji=!0,n.highlightFormatting&&(o.formatting="emoji");var R=x(o);return o.emoji=!1,R}return" "===l&&(t.match(/^ +$/,!1)?o.trailingSpace++:o.trailingSpace&&(o.trailingSpaceNewLine=!0)),x(o)}function E(e,t){var r=e.next();if(">"===r){t.f=t.inline=C,n.highlightFormatting&&(t.formatting="link");var o=x(t);return o?o+=" ":o="",o+i.linkInline}return e.match(/^[^>]+/,!0),i.linkInline}function O(e,t){if(e.eatSpace())return null;var r,o=e.next();return"("===o||"["===o?(t.f=t.inline=(r="("===o?")":"]",function(e,t){var o=e.next();if(o===r){t.f=t.inline=C,n.highlightFormatting&&(t.formatting="link-string");var i=x(t);return t.linkHref=!1,i}return e.match(T[r]),t.linkHref=!0,x(t)}),n.highlightFormatting&&(t.formatting="link-string"),t.linkHref=!0,x(t)):"error"}var T={")":/^(?:[^\\\(\)]|\\.|\((?:[^\\\(\)]|\\.)*\))*?(?=\))/,"]":/^(?:[^\\\[\]]|\\.|\[(?:[^\\\[\]]|\\.)*\])*?(?=\])/};function S(e,t){return e.match(/^([^\]\\]|\\.)*\]:/,!1)?(t.f=P,e.next(),n.highlightFormatting&&(t.formatting="link"),t.linkText=!0,x(t)):b(e,t,C)}function P(e,t){if(e.match(/^\]:/,!0)){t.f=t.inline=M,n.highlightFormatting&&(t.formatting="link");var r=x(t);return t.linkText=!1,r}return e.match(/^([^\]\\]|\\.)+/,!0),i.linkText}function M(e,t){return e.eatSpace()?null:(e.match(/^[^\s]+/,!0),void 0===e.peek()?t.linkTitle=!0:e.match(/^(?:\s+(?:"(?:[^"\\]|\\\\|\\.)+"|'(?:[^'\\]|\\\\|\\.)+'|\((?:[^)\\]|\\\\|\\.)+\)))?/,!0),t.f=t.inline=C,i.linkHref+" url")}var D={startState:function(){return{f:v,prevLine:{stream:null},thisLine:{stream:null},block:v,htmlState:null,indentation:0,inline:C,text:k,formatting:!1,linkText:!1,linkHref:!1,linkTitle:!1,code:0,em:!1,strong:!1,header:0,setext:0,hr:!1,taskList:!1,list:!1,listStack:[],quote:0,trailingSpace:0,trailingSpaceNewLine:!1,strikethrough:!1,emoji:!1,fencedEndRE:null}},copyState:function(t){return{f:t.f,prevLine:t.prevLine,thisLine:t.thisLine,block:t.block,htmlState:t.htmlState&&e.copyState(r,t.htmlState),indentation:t.indentation,localMode:t.localMode,localState:t.localMode?e.copyState(t.localMode,t.localState):null,inline:t.inline,text:t.text,formatting:!1,linkText:t.linkText,linkTitle:t.linkTitle,linkHref:t.linkHref,code:t.code,em:t.em,strong:t.strong,strikethrough:t.strikethrough,emoji:t.emoji,header:t.header,setext:t.setext,hr:t.hr,taskList:t.taskList,list:t.list,listStack:t.listStack.slice(0),quote:t.quote,indentedCode:t.indentedCode,trailingSpace:t.trailingSpace,trailingSpaceNewLine:t.trailingSpaceNewLine,md_inside:t.md_inside,fencedEndRE:t.fencedEndRE}},token:function(e,t){if(t.formatting=!1,e!=t.thisLine.stream){if(t.header=0,t.hr=!1,e.match(/^\s*$/,!0))return _(t),null;if(t.prevLine=t.thisLine,t.thisLine={stream:e},t.taskList=!1,t.trailingSpace=0,t.trailingSpaceNewLine=!1,!t.localState&&(t.f=t.block,t.f!=y)){var n=e.match(/^\s*/,!0)[0].replace(/\t/g," ").length;if(t.indentation=n,t.indentationDiff=null,n>0)return null}}return t.f(e,t)},innerMode:function(e){return e.block==y?{state:e.htmlState,mode:r}:e.localState?{state:e.localState,mode:e.localMode}:{state:e,mode:D}},indent:function(t,n,o){return t.block==y&&r.indent?r.indent(t.htmlState,n,o):t.localState&&t.localMode.indent?t.localMode.indent(t.localState,n,o):e.Pass},blankLine:_,getType:x,blockCommentStart:"\x3c!--",blockCommentEnd:"--\x3e",closeBrackets:"()[]{}''\"\"``",fold:"markdown"};return D},"xml"),e.defineMIME("text/markdown","markdown"),e.defineMIME("text/x-markdown","markdown")}(n(1629),n(1761),n(2995))},2995:function(e,t,n){!function(e){"use strict";e.modeInfo=[{name:"APL",mime:"text/apl",mode:"apl",ext:["dyalog","apl"]},{name:"PGP",mimes:["application/pgp","application/pgp-encrypted","application/pgp-keys","application/pgp-signature"],mode:"asciiarmor",ext:["asc","pgp","sig"]},{name:"ASN.1",mime:"text/x-ttcn-asn",mode:"asn.1",ext:["asn","asn1"]},{name:"Asterisk",mime:"text/x-asterisk",mode:"asterisk",file:/^extensions\.conf$/i},{name:"Brainfuck",mime:"text/x-brainfuck",mode:"brainfuck",ext:["b","bf"]},{name:"C",mime:"text/x-csrc",mode:"clike",ext:["c","h","ino"]},{name:"C++",mime:"text/x-c++src",mode:"clike",ext:["cpp","c++","cc","cxx","hpp","h++","hh","hxx"],alias:["cpp"]},{name:"Cobol",mime:"text/x-cobol",mode:"cobol",ext:["cob","cpy"]},{name:"C#",mime:"text/x-csharp",mode:"clike",ext:["cs"],alias:["csharp"]},{name:"Clojure",mime:"text/x-clojure",mode:"clojure",ext:["clj","cljc","cljx"]},{name:"ClojureScript",mime:"text/x-clojurescript",mode:"clojure",ext:["cljs"]},{name:"Closure Stylesheets (GSS)",mime:"text/x-gss",mode:"css",ext:["gss"]},{name:"CMake",mime:"text/x-cmake",mode:"cmake",ext:["cmake","cmake.in"],file:/^CMakeLists.txt$/},{name:"CoffeeScript",mimes:["application/vnd.coffeescript","text/coffeescript","text/x-coffeescript"],mode:"coffeescript",ext:["coffee"],alias:["coffee","coffee-script"]},{name:"Common Lisp",mime:"text/x-common-lisp",mode:"commonlisp",ext:["cl","lisp","el"],alias:["lisp"]},{name:"Cypher",mime:"application/x-cypher-query",mode:"cypher",ext:["cyp","cypher"]},{name:"Cython",mime:"text/x-cython",mode:"python",ext:["pyx","pxd","pxi"]},{name:"Crystal",mime:"text/x-crystal",mode:"crystal",ext:["cr"]},{name:"CSS",mime:"text/css",mode:"css",ext:["css"]},{name:"CQL",mime:"text/x-cassandra",mode:"sql",ext:["cql"]},{name:"D",mime:"text/x-d",mode:"d",ext:["d"]},{name:"Dart",mimes:["application/dart","text/x-dart"],mode:"dart",ext:["dart"]},{name:"diff",mime:"text/x-diff",mode:"diff",ext:["diff","patch"]},{name:"Django",mime:"text/x-django",mode:"django"},{name:"Dockerfile",mime:"text/x-dockerfile",mode:"dockerfile",file:/^Dockerfile$/},{name:"DTD",mime:"application/xml-dtd",mode:"dtd",ext:["dtd"]},{name:"Dylan",mime:"text/x-dylan",mode:"dylan",ext:["dylan","dyl","intr"]},{name:"EBNF",mime:"text/x-ebnf",mode:"ebnf"},{name:"ECL",mime:"text/x-ecl",mode:"ecl",ext:["ecl"]},{name:"edn",mime:"application/edn",mode:"clojure",ext:["edn"]},{name:"Eiffel",mime:"text/x-eiffel",mode:"eiffel",ext:["e"]},{name:"Elm",mime:"text/x-elm",mode:"elm",ext:["elm"]},{name:"Embedded Javascript",mime:"application/x-ejs",mode:"htmlembedded",ext:["ejs"]},{name:"Embedded Ruby",mime:"application/x-erb",mode:"htmlembedded",ext:["erb"]},{name:"Erlang",mime:"text/x-erlang",mode:"erlang",ext:["erl"]},{name:"Esper",mime:"text/x-esper",mode:"sql"},{name:"Factor",mime:"text/x-factor",mode:"factor",ext:["factor"]},{name:"FCL",mime:"text/x-fcl",mode:"fcl"},{name:"Forth",mime:"text/x-forth",mode:"forth",ext:["forth","fth","4th"]},{name:"Fortran",mime:"text/x-fortran",mode:"fortran",ext:["f","for","f77","f90","f95"]},{name:"F#",mime:"text/x-fsharp",mode:"mllike",ext:["fs"],alias:["fsharp"]},{name:"Gas",mime:"text/x-gas",mode:"gas",ext:["s"]},{name:"Gherkin",mime:"text/x-feature",mode:"gherkin",ext:["feature"]},{name:"GitHub Flavored Markdown",mime:"text/x-gfm",mode:"gfm",file:/^(readme|contributing|history).md$/i},{name:"Go",mime:"text/x-go",mode:"go",ext:["go"]},{name:"Groovy",mime:"text/x-groovy",mode:"groovy",ext:["groovy","gradle"],file:/^Jenkinsfile$/},{name:"HAML",mime:"text/x-haml",mode:"haml",ext:["haml"]},{name:"Haskell",mime:"text/x-haskell",mode:"haskell",ext:["hs"]},{name:"Haskell (Literate)",mime:"text/x-literate-haskell",mode:"haskell-literate",ext:["lhs"]},{name:"Haxe",mime:"text/x-haxe",mode:"haxe",ext:["hx"]},{name:"HXML",mime:"text/x-hxml",mode:"haxe",ext:["hxml"]},{name:"ASP.NET",mime:"application/x-aspx",mode:"htmlembedded",ext:["aspx"],alias:["asp","aspx"]},{name:"HTML",mime:"text/html",mode:"htmlmixed",ext:["html","htm","handlebars","hbs"],alias:["xhtml"]},{name:"HTTP",mime:"message/http",mode:"http"},{name:"IDL",mime:"text/x-idl",mode:"idl",ext:["pro"]},{name:"Pug",mime:"text/x-pug",mode:"pug",ext:["jade","pug"],alias:["jade"]},{name:"Java",mime:"text/x-java",mode:"clike",ext:["java"]},{name:"Java Server Pages",mime:"application/x-jsp",mode:"htmlembedded",ext:["jsp"],alias:["jsp"]},{name:"JavaScript",mimes:["text/javascript","text/ecmascript","application/javascript","application/x-javascript","application/ecmascript"],mode:"javascript",ext:["js"],alias:["ecmascript","js","node"]},{name:"JSON",mimes:["application/json","application/x-json"],mode:"javascript",ext:["json","map"],alias:["json5"]},{name:"JSON-LD",mime:"application/ld+json",mode:"javascript",ext:["jsonld"],alias:["jsonld"]},{name:"JSX",mime:"text/jsx",mode:"jsx",ext:["jsx"]},{name:"Jinja2",mime:"text/jinja2",mode:"jinja2",ext:["j2","jinja","jinja2"]},{name:"Julia",mime:"text/x-julia",mode:"julia",ext:["jl"]},{name:"Kotlin",mime:"text/x-kotlin",mode:"clike",ext:["kt"]},{name:"LESS",mime:"text/x-less",mode:"css",ext:["less"]},{name:"LiveScript",mime:"text/x-livescript",mode:"livescript",ext:["ls"],alias:["ls"]},{name:"Lua",mime:"text/x-lua",mode:"lua",ext:["lua"]},{name:"Markdown",mime:"text/x-markdown",mode:"markdown",ext:["markdown","md","mkd"]},{name:"mIRC",mime:"text/mirc",mode:"mirc"},{name:"MariaDB SQL",mime:"text/x-mariadb",mode:"sql"},{name:"Mathematica",mime:"text/x-mathematica",mode:"mathematica",ext:["m","nb"]},{name:"Modelica",mime:"text/x-modelica",mode:"modelica",ext:["mo"]},{name:"MUMPS",mime:"text/x-mumps",mode:"mumps",ext:["mps"]},{name:"MS SQL",mime:"text/x-mssql",mode:"sql"},{name:"mbox",mime:"application/mbox",mode:"mbox",ext:["mbox"]},{name:"MySQL",mime:"text/x-mysql",mode:"sql"},{name:"Nginx",mime:"text/x-nginx-conf",mode:"nginx",file:/nginx.*\.conf$/i},{name:"NSIS",mime:"text/x-nsis",mode:"nsis",ext:["nsh","nsi"]},{name:"NTriples",mimes:["application/n-triples","application/n-quads","text/n-triples"],mode:"ntriples",ext:["nt","nq"]},{name:"Objective-C",mime:"text/x-objectivec",mode:"clike",ext:["m","mm"],alias:["objective-c","objc"]},{name:"OCaml",mime:"text/x-ocaml",mode:"mllike",ext:["ml","mli","mll","mly"]},{name:"Octave",mime:"text/x-octave",mode:"octave",ext:["m"]},{name:"Oz",mime:"text/x-oz",mode:"oz",ext:["oz"]},{name:"Pascal",mime:"text/x-pascal",mode:"pascal",ext:["p","pas"]},{name:"PEG.js",mime:"null",mode:"pegjs",ext:["jsonld"]},{name:"Perl",mime:"text/x-perl",mode:"perl",ext:["pl","pm"]},{name:"PHP",mimes:["text/x-php","application/x-httpd-php","application/x-httpd-php-open"],mode:"php",ext:["php","php3","php4","php5","php7","phtml"]},{name:"Pig",mime:"text/x-pig",mode:"pig",ext:["pig"]},{name:"Plain Text",mime:"text/plain",mode:"null",ext:["txt","text","conf","def","list","log"]},{name:"PLSQL",mime:"text/x-plsql",mode:"sql",ext:["pls"]},{name:"PowerShell",mime:"application/x-powershell",mode:"powershell",ext:["ps1","psd1","psm1"]},{name:"Properties files",mime:"text/x-properties",mode:"properties",ext:["properties","ini","in"],alias:["ini","properties"]},{name:"ProtoBuf",mime:"text/x-protobuf",mode:"protobuf",ext:["proto"]},{name:"Python",mime:"text/x-python",mode:"python",ext:["BUILD","bzl","py","pyw"],file:/^(BUCK|BUILD)$/},{name:"Puppet",mime:"text/x-puppet",mode:"puppet",ext:["pp"]},{name:"Q",mime:"text/x-q",mode:"q",ext:["q"]},{name:"R",mime:"text/x-rsrc",mode:"r",ext:["r","R"],alias:["rscript"]},{name:"reStructuredText",mime:"text/x-rst",mode:"rst",ext:["rst"],alias:["rst"]},{name:"RPM Changes",mime:"text/x-rpm-changes",mode:"rpm"},{name:"RPM Spec",mime:"text/x-rpm-spec",mode:"rpm",ext:["spec"]},{name:"Ruby",mime:"text/x-ruby",mode:"ruby",ext:["rb"],alias:["jruby","macruby","rake","rb","rbx"]},{name:"Rust",mime:"text/x-rustsrc",mode:"rust",ext:["rs"]},{name:"SAS",mime:"text/x-sas",mode:"sas",ext:["sas"]},{name:"Sass",mime:"text/x-sass",mode:"sass",ext:["sass"]},{name:"Scala",mime:"text/x-scala",mode:"clike",ext:["scala"]},{name:"Scheme",mime:"text/x-scheme",mode:"scheme",ext:["scm","ss"]},{name:"SCSS",mime:"text/x-scss",mode:"css",ext:["scss"]},{name:"Shell",mimes:["text/x-sh","application/x-sh"],mode:"shell",ext:["sh","ksh","bash"],alias:["bash","sh","zsh"],file:/^PKGBUILD$/},{name:"Sieve",mime:"application/sieve",mode:"sieve",ext:["siv","sieve"]},{name:"Slim",mimes:["text/x-slim","application/x-slim"],mode:"slim",ext:["slim"]},{name:"Smalltalk",mime:"text/x-stsrc",mode:"smalltalk",ext:["st"]},{name:"Smarty",mime:"text/x-smarty",mode:"smarty",ext:["tpl"]},{name:"Solr",mime:"text/x-solr",mode:"solr"},{name:"SML",mime:"text/x-sml",mode:"mllike",ext:["sml","sig","fun","smackspec"]},{name:"Soy",mime:"text/x-soy",mode:"soy",ext:["soy"],alias:["closure template"]},{name:"SPARQL",mime:"application/sparql-query",mode:"sparql",ext:["rq","sparql"],alias:["sparul"]},{name:"Spreadsheet",mime:"text/x-spreadsheet",mode:"spreadsheet",alias:["excel","formula"]},{name:"SQL",mime:"text/x-sql",mode:"sql",ext:["sql"]},{name:"SQLite",mime:"text/x-sqlite",mode:"sql"},{name:"Squirrel",mime:"text/x-squirrel",mode:"clike",ext:["nut"]},{name:"Stylus",mime:"text/x-styl",mode:"stylus",ext:["styl"]},{name:"Swift",mime:"text/x-swift",mode:"swift",ext:["swift"]},{name:"sTeX",mime:"text/x-stex",mode:"stex"},{name:"LaTeX",mime:"text/x-latex",mode:"stex",ext:["text","ltx","tex"],alias:["tex"]},{name:"SystemVerilog",mime:"text/x-systemverilog",mode:"verilog",ext:["v","sv","svh"]},{name:"Tcl",mime:"text/x-tcl",mode:"tcl",ext:["tcl"]},{name:"Textile",mime:"text/x-textile",mode:"textile",ext:["textile"]},{name:"TiddlyWiki ",mime:"text/x-tiddlywiki",mode:"tiddlywiki"},{name:"Tiki wiki",mime:"text/tiki",mode:"tiki"},{name:"TOML",mime:"text/x-toml",mode:"toml",ext:["toml"]},{name:"Tornado",mime:"text/x-tornado",mode:"tornado"},{name:"troff",mime:"text/troff",mode:"troff",ext:["1","2","3","4","5","6","7","8","9"]},{name:"TTCN",mime:"text/x-ttcn",mode:"ttcn",ext:["ttcn","ttcn3","ttcnpp"]},{name:"TTCN_CFG",mime:"text/x-ttcn-cfg",mode:"ttcn-cfg",ext:["cfg"]},{name:"Turtle",mime:"text/turtle",mode:"turtle",ext:["ttl"]},{name:"TypeScript",mime:"application/typescript",mode:"javascript",ext:["ts"],alias:["ts"]},{name:"TypeScript-JSX",mime:"text/typescript-jsx",mode:"jsx",ext:["tsx"],alias:["tsx"]},{name:"Twig",mime:"text/x-twig",mode:"twig"},{name:"Web IDL",mime:"text/x-webidl",mode:"webidl",ext:["webidl"]},{name:"VB.NET",mime:"text/x-vb",mode:"vb",ext:["vb"]},{name:"VBScript",mime:"text/vbscript",mode:"vbscript",ext:["vbs"]},{name:"Velocity",mime:"text/velocity",mode:"velocity",ext:["vtl"]},{name:"Verilog",mime:"text/x-verilog",mode:"verilog",ext:["v"]},{name:"VHDL",mime:"text/x-vhdl",mode:"vhdl",ext:["vhd","vhdl"]},{name:"Vue.js Component",mimes:["script/x-vue","text/x-vue"],mode:"vue",ext:["vue"]},{name:"XML",mimes:["application/xml","text/xml"],mode:"xml",ext:["xml","xsl","xsd","svg"],alias:["rss","wsdl","xsd"]},{name:"XQuery",mime:"application/xquery",mode:"xquery",ext:["xy","xquery"]},{name:"Yacas",mime:"text/x-yacas",mode:"yacas",ext:["ys"]},{name:"YAML",mimes:["text/x-yaml","text/yaml"],mode:"yaml",ext:["yaml","yml"],alias:["yml"]},{name:"Z80",mime:"text/x-z80",mode:"z80",ext:["z80"]},{name:"mscgen",mime:"text/x-mscgen",mode:"mscgen",ext:["mscgen","mscin","msc"]},{name:"xu",mime:"text/x-xu",mode:"mscgen",ext:["xu"]},{name:"msgenny",mime:"text/x-msgenny",mode:"mscgen",ext:["msgenny"]}];for(var t=0;t<e.modeInfo.length;t++){var n=e.modeInfo[t];n.mimes&&(n.mime=n.mimes[0])}e.findModeByMIME=function(t){t=t.toLowerCase();for(var n=0;n<e.modeInfo.length;n++){var r=e.modeInfo[n];if(r.mime==t)return r;if(r.mimes)for(var o=0;o<r.mimes.length;o++)if(r.mimes[o]==t)return r}return/\+xml$/.test(t)?e.findModeByMIME("application/xml"):/\+json$/.test(t)?e.findModeByMIME("application/json"):void 0},e.findModeByExtension=function(t){for(var n=0;n<e.modeInfo.length;n++){var r=e.modeInfo[n];if(r.ext)for(var o=0;o<r.ext.length;o++)if(r.ext[o]==t)return r}},e.findModeByFileName=function(t){for(var n=0;n<e.modeInfo.length;n++){var r=e.modeInfo[n];if(r.file&&r.file.test(t))return r}var o=t.lastIndexOf("."),i=o>-1&&t.substring(o+1,t.length);if(i)return e.findModeByExtension(i)},e.findModeByName=function(t){t=t.toLowerCase();for(var n=0;n<e.modeInfo.length;n++){var r=e.modeInfo[n];if(r.name.toLowerCase()==t)return r;if(r.alias)for(var o=0;o<r.alias.length;o++)if(r.alias[o].toLowerCase()==t)return r}}}(n(1629))},2996:function(e,t,n){!function(e){"use strict";e.defineOption("foldGutter",!1,function(t,r,o){var i;o&&o!=e.Init&&(t.clearGutter(t.state.foldGutter.options.gutter),t.state.foldGutter=null,t.off("gutterClick",s),t.off("change",l),t.off("viewportChange",c),t.off("fold",u),t.off("unfold",u),t.off("swapDoc",l)),r&&(t.state.foldGutter=new n((!0===(i=r)&&(i={}),null==i.gutter&&(i.gutter="CodeMirror-foldgutter"),null==i.indicatorOpen&&(i.indicatorOpen="CodeMirror-foldgutter-open"),null==i.indicatorFolded&&(i.indicatorFolded="CodeMirror-foldgutter-folded"),i)),a(t),t.on("gutterClick",s),t.on("change",l),t.on("viewportChange",c),t.on("fold",u),t.on("unfold",u),t.on("swapDoc",l))});var t=e.Pos;function n(e){this.options=e,this.from=this.to=0}function r(e,n){for(var r=e.findMarks(t(n,0),t(n+1,0)),o=0;o<r.length;++o)if(r[o].__isFold&&r[o].find().from.line==n)return r[o]}function o(e){if("string"==typeof e){var t=document.createElement("div");return t.className=e+" CodeMirror-guttermarker-subtle",t}return e.cloneNode(!0)}function i(e,n,i){var a=e.state.foldGutter.options,s=n,l=e.foldOption(a,"minFoldSize"),c=e.foldOption(a,"rangeFinder");e.eachLine(n,i,function(n){var i=null;if(r(e,s))i=o(a.indicatorFolded);else{var u=t(s,0),p=c&&c(e,u);p&&p.to.line-p.from.line>=l&&(i=o(a.indicatorOpen))}e.setGutterMarker(n,a.gutter,i),++s})}function a(e){var t=e.getViewport(),n=e.state.foldGutter;n&&(e.operation(function(){i(e,t.from,t.to)}),n.from=t.from,n.to=t.to)}function s(e,n,o){var i=e.state.foldGutter;if(i){var a=i.options;if(o==a.gutter){var s=r(e,n);s?s.clear():e.foldCode(t(n,0),a.rangeFinder)}}}function l(e){var t=e.state.foldGutter;if(t){var n=t.options;t.from=t.to=0,clearTimeout(t.changeUpdate),t.changeUpdate=setTimeout(function(){a(e)},n.foldOnChangeTimeSpan||600)}}function c(e){var t=e.state.foldGutter;if(t){var n=t.options;clearTimeout(t.changeUpdate),t.changeUpdate=setTimeout(function(){var n=e.getViewport();t.from==t.to||n.from-t.to>20||t.from-n.to>20?a(e):e.operation(function(){n.from<t.from&&(i(e,n.from,t.from),t.from=n.from),n.to>t.to&&(i(e,t.to,n.to),t.to=n.to)})},n.updateViewportTimeSpan||400)}}function u(e,t){var n=e.state.foldGutter;if(n){var r=t.line;r>=n.from&&r<n.to&&i(e,r,r+1)}}}(n(1629),n(1998))},2997:function(e,t,n){!function(e){"use strict";e.registerHelper("fold","brace",function(t,n){var r,o=n.line,i=t.getLine(o);function a(a){for(var s=n.ch,l=0;;){var c=s<=0?-1:i.lastIndexOf(a,s-1);if(-1!=c){if(1==l&&c<n.ch)break;if(r=t.getTokenTypeAt(e.Pos(o,c+1)),!/^(comment|string)/.test(r))return c+1;s=c-1}else{if(1==l)break;l=1,s=i.length}}}var s="{",l="}",c=a("{");if(null==c&&(s="[",l="]",c=a("[")),null!=c){var u,p,d=1,f=t.lastLine();e:for(var h=o;h<=f;++h)for(var m=t.getLine(h),b=h==o?c:0;;){var g=m.indexOf(s,b),_=m.indexOf(l,b);if(g<0&&(g=m.length),_<0&&(_=m.length),(b=Math.min(g,_))==m.length)break;if(t.getTokenTypeAt(e.Pos(h,b+1))==r)if(b==g)++d;else if(!--d){u=h,p=b;break e}++b}if(null!=u&&o!=u)return{from:e.Pos(o,c),to:e.Pos(u,p)}}}),e.registerHelper("fold","import",function(t,n){function r(n){if(n<t.firstLine()||n>t.lastLine())return null;var r=t.getTokenAt(e.Pos(n,1));if(/\S/.test(r.string)||(r=t.getTokenAt(e.Pos(n,r.end+1))),"keyword"!=r.type||"import"!=r.string)return null;for(var o=n,i=Math.min(t.lastLine(),n+10);o<=i;++o){var a=t.getLine(o),s=a.indexOf(";");if(-1!=s)return{startCh:r.end,end:e.Pos(o,s)}}}var o,i=n.line,a=r(i);if(!a||r(i-1)||(o=r(i-2))&&o.end.line==i-1)return null;for(var s=a.end;;){var l=r(s.line+1);if(null==l)break;s=l.end}return{from:t.clipPos(e.Pos(i,a.startCh+1)),to:s}}),e.registerHelper("fold","include",function(t,n){function r(n){if(n<t.firstLine()||n>t.lastLine())return null;var r=t.getTokenAt(e.Pos(n,1));return/\S/.test(r.string)||(r=t.getTokenAt(e.Pos(n,r.end+1))),"meta"==r.type&&"#include"==r.string.slice(0,8)?r.start+8:void 0}var o=n.line,i=r(o);if(null==i||null!=r(o-1))return null;for(var a=o;;){var s=r(a+1);if(null==s)break;++a}return{from:e.Pos(o,i+1),to:t.clipPos(e.Pos(a))}})}(n(1629))},2998:function(e,t,n){!function(e){"use strict";var t=e.Pos;function n(e,t){return e.line-t.line||e.ch-t.ch}var r="A-Z_a-z\\u00C0-\\u00D6\\u00D8-\\u00F6\\u00F8-\\u02FF\\u0370-\\u037D\\u037F-\\u1FFF\\u200C-\\u200D\\u2070-\\u218F\\u2C00-\\u2FEF\\u3001-\\uD7FF\\uF900-\\uFDCF\\uFDF0-\\uFFFD",o=new RegExp("<(/?)(["+r+"]["+r+"-:.0-9\\u00B7\\u0300-\\u036F\\u203F-\\u2040]*)","g");function i(e,t,n,r){this.line=t,this.ch=n,this.cm=e,this.text=e.getLine(t),this.min=r?Math.max(r.from,e.firstLine()):e.firstLine(),this.max=r?Math.min(r.to-1,e.lastLine()):e.lastLine()}function a(e,n){var r=e.cm.getTokenTypeAt(t(e.line,n));return r&&/\btag\b/.test(r)}function s(e){if(!(e.line>=e.max))return e.ch=0,e.text=e.cm.getLine(++e.line),!0}function l(e){if(!(e.line<=e.min))return e.text=e.cm.getLine(--e.line),e.ch=e.text.length,!0}function c(e){for(;;){var t=e.text.indexOf(">",e.ch);if(-1==t){if(s(e))continue;return}if(a(e,t+1)){var n=e.text.lastIndexOf("/",t),r=n>-1&&!/\S/.test(e.text.slice(n+1,t));return e.ch=t+1,r?"selfClose":"regular"}e.ch=t+1}}function u(e){for(;;){var t=e.ch?e.text.lastIndexOf("<",e.ch-1):-1;if(-1==t){if(l(e))continue;return}if(a(e,t+1)){o.lastIndex=t,e.ch=t;var n=o.exec(e.text);if(n&&n.index==t)return n}else e.ch=t}}function p(e){for(;;){o.lastIndex=e.ch;var t=o.exec(e.text);if(!t){if(s(e))continue;return}if(a(e,t.index+1))return e.ch=t.index+t[0].length,t;e.ch=t.index+1}}function d(e){for(;;){var t=e.ch?e.text.lastIndexOf(">",e.ch-1):-1;if(-1==t){if(l(e))continue;return}if(a(e,t+1)){var n=e.text.lastIndexOf("/",t),r=n>-1&&!/\S/.test(e.text.slice(n+1,t));return e.ch=t+1,r?"selfClose":"regular"}e.ch=t}}function f(e,n){for(var r=[];;){var o,i=p(e),a=e.line,s=e.ch-(i?i[0].length:0);if(!i||!(o=c(e)))return;if("selfClose"!=o)if(i[1]){for(var l=r.length-1;l>=0;--l)if(r[l]==i[2]){r.length=l;break}if(l<0&&(!n||n==i[2]))return{tag:i[2],from:t(a,s),to:t(e.line,e.ch)}}else r.push(i[2])}}function h(e,n){for(var r=[];;){var o=d(e);if(!o)return;if("selfClose"!=o){var i=e.line,a=e.ch,s=u(e);if(!s)return;if(s[1])r.push(s[2]);else{for(var l=r.length-1;l>=0;--l)if(r[l]==s[2]){r.length=l;break}if(l<0&&(!n||n==s[2]))return{tag:s[2],from:t(e.line,e.ch),to:t(i,a)}}}else u(e)}}e.registerHelper("fold","xml",function(e,r){for(var o=new i(e,r.line,0);;){var a=p(o);if(!a||o.line!=r.line)return;var s=c(o);if(!s)return;if(!a[1]&&"selfClose"!=s){var l=t(o.line,o.ch),u=f(o,a[2]);return u&&n(u.from,l)>0?{from:l,to:u.from}:null}}}),e.findMatchingTag=function(e,r,o){var a=new i(e,r.line,r.ch,o);if(-1!=a.text.indexOf(">")||-1!=a.text.indexOf("<")){var s=c(a),l=s&&t(a.line,a.ch),p=s&&u(a);if(s&&p&&!(n(a,r)>0)){var d={from:t(a.line,a.ch),to:l,tag:p[2]};return"selfClose"==s?{open:d,close:null,at:"open"}:p[1]?{open:h(a,p[2]),close:d,at:"close"}:(a=new i(e,l.line,l.ch,o),{open:d,close:f(a,p[2]),at:"open"})}}},e.findEnclosingTag=function(e,t,n,r){for(var o=new i(e,t.line,t.ch,n);;){var a=h(o,r);if(!a)break;var s=new i(e,t.line,t.ch,n),l=f(s,a.tag);if(l)return{open:a,close:l}}},e.scanForClosingTag=function(e,t,n,r){var o=new i(e,t.line,t.ch,r?{from:0,to:r}:null);return f(o,n)}}(n(1629))},2999:function(e,t,n){!function(e){"use strict";function t(t,n){var r=t.getLine(n),o=r.search(/\S/);return-1==o||/\bcomment\b/.test(t.getTokenTypeAt(e.Pos(n,o+1)))?-1:e.countColumn(r,null,t.getOption("tabSize"))}e.registerHelper("fold","indent",function(n,r){var o=t(n,r.line);if(!(o<0)){for(var i=null,a=r.line+1,s=n.lastLine();a<=s;++a){var l=t(n,a);if(-1==l);else{if(!(l>o))break;i=a}}return i?{from:e.Pos(r.line,n.getLine(r.line).length),to:e.Pos(i,n.getLine(i).length)}:void 0}})}(n(1629))},3000:function(e,t,n){!function(e){"use strict";e.registerHelper("fold","markdown",function(t,n){var r=100;function o(n){var r=t.getTokenTypeAt(e.Pos(n,0));return r&&/\bheader\b/.test(r)}function i(e,t,n){var i=t&&t.match(/^#+/);return i&&o(e)?i[0].length:(i=n&&n.match(/^[=\-]+\s*$/))&&o(e+1)?"="==n[0]?1:2:r}var a=t.getLine(n.line),s=t.getLine(n.line+1),l=i(n.line,a,s);if(l!==r){for(var c=t.lastLine(),u=n.line,p=t.getLine(u+2);u<c&&!(i(u+1,s,p)<=l);)++u,s=p,p=t.getLine(u+2);return{from:e.Pos(n.line,a.length),to:e.Pos(u,t.getLine(u).length)}}})}(n(1629))},3001:function(e,t,n){!function(e){"use strict";e.registerGlobalHelper("fold","comment",function(e){return e.blockCommentStart&&e.blockCommentEnd},function(t,n){var r=t.getModeAt(n),o=r.blockCommentStart,i=r.blockCommentEnd;if(o&&i){for(var a,s=n.line,l=t.getLine(s),c=n.ch,u=0;;){var p=c<=0?-1:l.lastIndexOf(o,c-1);if(-1!=p){if(1==u&&p<n.ch)return;if(/comment/.test(t.getTokenTypeAt(e.Pos(s,p+1)))&&(0==p||l.slice(p-i.length,p)==i||!/comment/.test(t.getTokenTypeAt(e.Pos(s,p))))){a=p+o.length;break}c=p-1}else{if(1==u)return;u=1,c=l.length}}var d,f,h=1,m=t.lastLine();e:for(var b=s;b<=m;++b)for(var g=t.getLine(b),_=b==s?a:0;;){var v=g.indexOf(o,_),y=g.indexOf(i,_);if(v<0&&(v=g.length),y<0&&(y=g.length),(_=Math.min(v,y))==g.length)break;if(_==v)++h;else if(!--h){d=b,f=_;break e}++_}if(null!=d&&(s!=d||f!=a))return{from:e.Pos(s,a),to:e.Pos(d,f)}}})}(n(1629))},3002:function(e,t,n){!function(e){"use strict";var t={},n=/[^\s\u00a0]/,r=e.Pos;function o(e){var t=e.search(n);return-1==t?0:t}function i(e,t){var n=e.getMode();return!1!==n.useInnerComments&&n.innerMode?e.getModeAt(t):n}e.commands.toggleComment=function(e){e.toggleComment()},e.defineExtension("toggleComment",function(e){e||(e=t);for(var n=1/0,o=this.listSelections(),i=null,a=o.length-1;a>=0;a--){var s=o[a].from(),l=o[a].to();s.line>=n||(l.line>=n&&(l=r(n,0)),n=s.line,null==i?this.uncomment(s,l,e)?i="un":(this.lineComment(s,l,e),i="line"):"un"==i?this.uncomment(s,l,e):this.lineComment(s,l,e))}}),e.defineExtension("lineComment",function(e,a,s){s||(s=t);var l=this,c=i(l,e),u=l.getLine(e.line);if(null!=u&&(p=e,d=u,!/\bstring\b/.test(l.getTokenTypeAt(r(p.line,0)))||/^[\'\"\`]/.test(d))){var p,d,f=s.lineComment||c.lineComment;if(f){var h=Math.min(0!=a.ch||a.line==e.line?a.line+1:a.line,l.lastLine()+1),m=null==s.padding?" ":s.padding,b=s.commentBlankLines||e.line==a.line;l.operation(function(){if(s.indent){for(var t=null,i=e.line;i<h;++i){var a=l.getLine(i),c=a.slice(0,o(a));(null==t||t.length>c.length)&&(t=c)}for(var i=e.line;i<h;++i){var a=l.getLine(i),u=t.length;(b||n.test(a))&&(a.slice(0,u)!=t&&(u=o(a)),l.replaceRange(t+f+m,r(i,0),r(i,u)))}}else for(var i=e.line;i<h;++i)(b||n.test(l.getLine(i)))&&l.replaceRange(f+m,r(i,0))})}else(s.blockCommentStart||c.blockCommentStart)&&(s.fullLines=!0,l.blockComment(e,a,s))}}),e.defineExtension("blockComment",function(e,o,a){a||(a=t);var s=this,l=i(s,e),c=a.blockCommentStart||l.blockCommentStart,u=a.blockCommentEnd||l.blockCommentEnd;if(c&&u){if(!/\bcomment\b/.test(s.getTokenTypeAt(r(e.line,0)))){var p=Math.min(o.line,s.lastLine());p!=e.line&&0==o.ch&&n.test(s.getLine(p))&&--p;var d=null==a.padding?" ":a.padding;e.line>p||s.operation(function(){if(0!=a.fullLines){var t=n.test(s.getLine(p));s.replaceRange(d+u,r(p)),s.replaceRange(c+d,r(e.line,0));var i=a.blockCommentLead||l.blockCommentLead;if(null!=i)for(var f=e.line+1;f<=p;++f)(f!=p||t)&&s.replaceRange(i+d,r(f,0))}else s.replaceRange(u,o),s.replaceRange(c,e)})}}else(a.lineComment||l.lineComment)&&0!=a.fullLines&&s.lineComment(e,o,a)}),e.defineExtension("uncomment",function(e,o,a){a||(a=t);var s,l=this,c=i(l,e),u=Math.min(0!=o.ch||o.line==e.line?o.line:o.line-1,l.lastLine()),p=Math.min(e.line,u),d=a.lineComment||c.lineComment,f=[],h=null==a.padding?" ":a.padding;e:if(d){for(var m=p;m<=u;++m){var b=l.getLine(m),g=b.indexOf(d);if(g>-1&&!/comment/.test(l.getTokenTypeAt(r(m,g+1)))&&(g=-1),-1==g&&n.test(b))break e;if(g>-1&&n.test(b.slice(0,g)))break e;f.push(b)}if(l.operation(function(){for(var e=p;e<=u;++e){var t=f[e-p],n=t.indexOf(d),o=n+d.length;n<0||(t.slice(o,o+h.length)==h&&(o+=h.length),s=!0,l.replaceRange("",r(e,n),r(e,o)))}}),s)return!0}var _=a.blockCommentStart||c.blockCommentStart,v=a.blockCommentEnd||c.blockCommentEnd;if(!_||!v)return!1;var y=a.blockCommentLead||c.blockCommentLead,w=l.getLine(p),x=w.indexOf(_);if(-1==x)return!1;var k=u==p?w:l.getLine(u),C=k.indexOf(v,u==p?x+_.length:0),E=r(p,x+1),O=r(u,C+1);if(-1==C||!/comment/.test(l.getTokenTypeAt(E))||!/comment/.test(l.getTokenTypeAt(O))||l.getRange(E,O,"\n").indexOf(v)>-1)return!1;var T=w.lastIndexOf(_,e.ch),S=-1==T?-1:w.slice(0,e.ch).indexOf(v,T+_.length);if(-1!=T&&-1!=S&&S+v.length!=e.ch)return!1;S=k.indexOf(v,o.ch);var P=k.slice(o.ch).lastIndexOf(_,S-o.ch);return T=-1==S||-1==P?-1:o.ch+P,(-1==S||-1==T||T==o.ch)&&(l.operation(function(){l.replaceRange("",r(u,C-(h&&k.slice(C-h.length,C)==h?h.length:0)),r(u,C+v.length));var e=x+_.length;if(h&&w.slice(e,e+h.length)==h&&(e+=h.length),l.replaceRange("",r(p,x),r(p,e)),y)for(var t=p+1;t<=u;++t){var o=l.getLine(t),i=o.indexOf(y);if(-1!=i&&!n.test(o.slice(0,i))){var a=i+y.length;h&&o.slice(a,a+h.length)==h&&(a+=h.length),l.replaceRange("",r(t,i),r(t,a))}}}),!0)})}(n(1629))},3003:function(e,t,n){!function(e){"use strict";function t(){this.posFrom=this.posTo=this.lastQuery=this.query=null,this.overlay=null}function n(e){return e.state.search||(e.state.search=new t)}function r(e){return"string"==typeof e&&e==e.toLowerCase()}function o(e,t,n){return e.getSearchCursor(t,n,{caseFold:r(t),multiline:!0})}function i(e,t,n,r,o){e.openDialog?e.openDialog(t,o,{value:r,selectValueOnOpen:!0}):o(prompt(n,r))}function a(e){return e.replace(/\\(.)/g,function(e,t){return"n"==t?"\n":"r"==t?"\r":t})}function s(e){var t=e.match(/^\/(.*)\/([a-z]*)$/);if(t)try{e=new RegExp(t[1],-1==t[2].indexOf("i")?"":"i")}catch(e){}else e=a(e);return("string"==typeof e?""==e:e.test(""))&&(e=/x^/),e}function l(e,t,n){t.queryText=n,t.query=s(n),e.removeOverlay(t.overlay,r(t.query)),t.overlay=function(e,t){return"string"==typeof e?e=new RegExp(e.replace(/[\-\[\]\/\{\}\(\)\*\+\?\.\\\^\$\|]/g,"\\$&"),t?"gi":"g"):e.global||(e=new RegExp(e.source,e.ignoreCase?"gi":"g")),{token:function(t){e.lastIndex=t.pos;var n=e.exec(t.string);if(n&&n.index==t.pos)return t.pos+=n[0].length||1,"searching";n?t.pos=n.index:t.skipToEnd()}}}(t.query,r(t.query)),e.addOverlay(t.overlay),e.showMatchesOnScrollbar&&(t.annotate&&(t.annotate.clear(),t.annotate=null),t.annotate=e.showMatchesOnScrollbar(t.query,r(t.query)))}function c(t,r,o,a){var s=n(t);if(s.query)return u(t,r);var c=t.getSelection()||s.lastQuery;if(c instanceof RegExp&&"x^"==c.source&&(c=null),o&&t.openDialog){var f=null,h=function(n,r){e.e_stop(r),n&&(n!=s.queryText&&(l(t,s,n),s.posFrom=s.posTo=t.getCursor()),f&&(f.style.opacity=1),u(t,r.shiftKey,function(e,n){var r;n.line<3&&document.querySelector&&(r=t.display.wrapper.querySelector(".CodeMirror-dialog"))&&r.getBoundingClientRect().bottom-4>t.cursorCoords(n,"window").top&&((f=r).style.opacity=.4)}))};!function(e,t,n,r,o){e.openDialog(t,r,{value:n,selectValueOnOpen:!0,closeOnEnter:!1,onClose:function(){p(e)},onKeyDown:o})}(t,d(t),c,h,function(r,o){var i=e.keyName(r),a=t.getOption("extraKeys"),s=a&&a[i]||e.keyMap[t.getOption("keyMap")][i];"findNext"==s||"findPrev"==s||"findPersistentNext"==s||"findPersistentPrev"==s?(e.e_stop(r),l(t,n(t),o),t.execCommand(s)):"find"!=s&&"findPersistent"!=s||(e.e_stop(r),h(o,r))}),a&&c&&(l(t,s,c),u(t,r))}else i(t,d(t),"Search for:",c,function(e){e&&!s.query&&t.operation(function(){l(t,s,e),s.posFrom=s.posTo=t.getCursor(),u(t,r)})})}function u(t,r,i){t.operation(function(){var a=n(t),s=o(t,a.query,r?a.posFrom:a.posTo);(s.find(r)||(s=o(t,a.query,r?e.Pos(t.lastLine()):e.Pos(t.firstLine(),0))).find(r))&&(t.setSelection(s.from(),s.to()),t.scrollIntoView({from:s.from(),to:s.to()},20),a.posFrom=s.from(),a.posTo=s.to(),i&&i(s.from(),s.to()))})}function p(e){e.operation(function(){var t=n(e);t.lastQuery=t.query,t.query&&(t.query=t.queryText=null,e.removeOverlay(t.overlay),t.annotate&&(t.annotate.clear(),t.annotate=null))})}function d(e){return'<span class="CodeMirror-search-label">'+e.phrase("Search:")+'</span> <input type="text" style="width: 10em" class="CodeMirror-search-field"/> <span style="color: #888" class="CodeMirror-search-hint">'+e.phrase("(Use /re/ syntax for regexp search)")+"</span>"}function f(e,t,n){e.operation(function(){for(var r=o(e,t);r.findNext();)if("string"!=typeof t){var i=e.getRange(r.from(),r.to()).match(t);r.replace(n.replace(/\$(\d)/g,function(e,t){return i[t]}))}else r.replace(n)})}function h(e,t){if(!e.getOption("readOnly")){var r=e.getSelection()||n(e).lastQuery,l='<span class="CodeMirror-search-label">'+(t?e.phrase("Replace all:"):e.phrase("Replace:"))+"</span>";i(e,l+function(e){return' <input type="text" style="width: 10em" class="CodeMirror-search-field"/> <span style="color: #888" class="CodeMirror-search-hint">'+e.phrase("(Use /re/ syntax for regexp search)")+"</span>"}(e),l,r,function(n){n&&(n=s(n),i(e,function(e){return'<span class="CodeMirror-search-label">'+e.phrase("With:")+'</span> <input type="text" style="width: 10em" class="CodeMirror-search-field"/>'}(e),e.phrase("Replace with:"),"",function(r){if(r=a(r),t)f(e,n,r);else{p(e);var i=o(e,n,e.getCursor("from")),s=function(){var t,a=i.from();!(t=i.findNext())&&(i=o(e,n),!(t=i.findNext())||a&&i.from().line==a.line&&i.from().ch==a.ch)||(e.setSelection(i.from(),i.to()),e.scrollIntoView({from:i.from(),to:i.to()}),function(e,t,n,r){e.openConfirm?e.openConfirm(t,r):confirm(n)&&r[0]()}(e,function(e){return'<span class="CodeMirror-search-label">'+e.phrase("Replace?")+"</span> <button>"+e.phrase("Yes")+"</button> <button>"+e.phrase("No")+"</button> <button>"+e.phrase("All")+"</button> <button>"+e.phrase("Stop")+"</button> "}(e),e.phrase("Replace?"),[function(){l(t)},s,function(){f(e,n,r)}]))},l=function(e){i.replace("string"==typeof n?r:r.replace(/\$(\d)/g,function(t,n){return e[n]})),s()};s()}}))})}}e.commands.find=function(e){p(e),c(e)},e.commands.findPersistent=function(e){p(e),c(e,!1,!0)},e.commands.findPersistentNext=function(e){c(e,!1,!0,!0)},e.commands.findPersistentPrev=function(e){c(e,!0,!0,!0)},e.commands.findNext=c,e.commands.findPrev=function(e){c(e,!0)},e.commands.clearSearch=p,e.commands.replace=h,e.commands.replaceAll=function(e){h(e,!0)}}(n(1629),n(1999),n(1834))},3004:function(e,t,n){!function(e){"use strict";function t(e,t){var n=Number(t);return/^[-+]/.test(t)?e.getCursor().line+n:n-1}e.commands.jumpToLine=function(e){var n=e.getCursor();!function(e,t,n,r,o){e.openDialog?e.openDialog(t,o,{value:r,selectValueOnOpen:!0}):o(prompt(n,r))}(e,function(e){return e.phrase("Jump to line:")+' <input type="text" style="width: 10em" class="CodeMirror-search-field"/> <span style="color: #888" class="CodeMirror-search-hint">'+e.phrase("(Use line:column or scroll% syntax)")+"</span>"}(e),e.phrase("Jump to line:"),n.line+1+":"+n.ch,function(r){var o;if(r)if(o=/^\s*([\+\-]?\d+)\s*\:\s*(\d+)\s*$/.exec(r))e.setCursor(t(e,o[1]),Number(o[2]));else if(o=/^\s*([\+\-]?\d+(\.\d+)?)\%\s*/.exec(r)){var i=Math.round(e.lineCount()*Number(o[1])/100);/^[-+]/.test(o[1])&&(i=n.line+i+1),e.setCursor(i-1,n.ch)}else(o=/^\s*\:?\s*([\+\-]?\d+)\s*/.exec(r))&&e.setCursor(t(e,o[1]),n.ch)})},e.keyMap.default["Alt-G"]="jumpToLine"}(n(1629),n(1834))},3005:function(e,t,n){!function(e){"use strict";function t(t,n,r){this.orientation=n,this.scroll=r,this.screen=this.total=this.size=1,this.pos=0,this.node=document.createElement("div"),this.node.className=t+"-"+n,this.inner=this.node.appendChild(document.createElement("div"));var o=this;function i(t){var n=e.wheelEventPixels(t)["horizontal"==o.orientation?"x":"y"],r=o.pos;o.moveTo(o.pos+n),o.pos!=r&&e.e_preventDefault(t)}e.on(this.inner,"mousedown",function(t){if(1==t.which){e.e_preventDefault(t);var n="horizontal"==o.orientation?"pageX":"pageY",r=t[n],i=o.pos;e.on(document,"mousemove",s),e.on(document,"mouseup",a)}function a(){e.off(document,"mousemove",s),e.off(document,"mouseup",a)}function s(e){if(1!=e.which)return a();o.moveTo(i+(e[n]-r)*(o.total/o.size))}}),e.on(this.node,"click",function(t){e.e_preventDefault(t);var n,r=o.inner.getBoundingClientRect();n="horizontal"==o.orientation?t.clientX<r.left?-1:t.clientX>r.right?1:0:t.clientY<r.top?-1:t.clientY>r.bottom?1:0,o.moveTo(o.pos+n*o.screen)}),e.on(this.node,"mousewheel",i),e.on(this.node,"DOMMouseScroll",i)}function n(e,n,r){this.addClass=e,this.horiz=new t(e,"horizontal",r),n(this.horiz.node),this.vert=new t(e,"vertical",r),n(this.vert.node),this.width=null}t.prototype.setPos=function(e,t){return e<0&&(e=0),e>this.total-this.screen&&(e=this.total-this.screen),!(!t&&e==this.pos||(this.pos=e,this.inner.style["horizontal"==this.orientation?"left":"top"]=e*(this.size/this.total)+"px",0))},t.prototype.moveTo=function(e){this.setPos(e)&&this.scroll(e,this.orientation)},t.prototype.update=function(e,t,n){var r=this.screen!=t||this.total!=e||this.size!=n;r&&(this.screen=t,this.total=e,this.size=n);var o=this.screen*(this.size/this.total);o<10&&(this.size-=10-o,o=10),this.inner.style["horizontal"==this.orientation?"width":"height"]=o+"px",this.setPos(this.pos,r)},n.prototype.update=function(e){if(null==this.width){var t=window.getComputedStyle?window.getComputedStyle(this.horiz.node):this.horiz.node.currentStyle;t&&(this.width=parseInt(t.height))}var n=this.width||0,r=e.scrollWidth>e.clientWidth+1,o=e.scrollHeight>e.clientHeight+1;return this.vert.node.style.display=o?"block":"none",this.horiz.node.style.display=r?"block":"none",o&&(this.vert.update(e.scrollHeight,e.clientHeight,e.viewHeight-(r?n:0)),this.vert.node.style.bottom=r?n+"px":"0"),r&&(this.horiz.update(e.scrollWidth,e.clientWidth,e.viewWidth-(o?n:0)-e.barLeft),this.horiz.node.style.right=o?n+"px":"0",this.horiz.node.style.left=e.barLeft+"px"),{right:o?n:0,bottom:r?n:0}},n.prototype.setScrollTop=function(e){this.vert.setPos(e)},n.prototype.setScrollLeft=function(e){this.horiz.setPos(e)},n.prototype.clear=function(){var e=this.horiz.node.parentNode;e.removeChild(this.horiz.node),e.removeChild(this.vert.node)},e.scrollbarModel.simple=function(e,t){return new n("CodeMirror-simplescroll",e,t)},e.scrollbarModel.overlay=function(e,t){return new n("CodeMirror-overlayscroll",e,t)}}(n(1629))},3006:function(e,t,n){!function(e){"use strict";var t="CodeMirror-activeline",n="CodeMirror-activeline-background",r="CodeMirror-activeline-gutter";function o(e){for(var o=0;o<e.state.activeLines.length;o++)e.removeLineClass(e.state.activeLines[o],"wrap",t),e.removeLineClass(e.state.activeLines[o],"background",n),e.removeLineClass(e.state.activeLines[o],"gutter",r)}function i(e,i){for(var a=[],s=0;s<i.length;s++){var l=i[s],c=e.getOption("styleActiveLine");if("object"==typeof c&&c.nonEmpty?l.anchor.line==l.head.line:l.empty()){var u=e.getLineHandleVisualStart(l.head.line);a[a.length-1]!=u&&a.push(u)}}(function(e,t){if(e.length!=t.length)return!1;for(var n=0;n<e.length;n++)if(e[n]!=t[n])return!1;return!0})(e.state.activeLines,a)||e.operation(function(){o(e);for(var i=0;i<a.length;i++)e.addLineClass(a[i],"wrap",t),e.addLineClass(a[i],"background",n),e.addLineClass(a[i],"gutter",r);e.state.activeLines=a})}function a(e,t){i(e,t.ranges)}e.defineOption("styleActiveLine",!1,function(t,n,r){var s=r!=e.Init&&r;n!=s&&(s&&(t.off("beforeSelectionChange",a),o(t),delete t.state.activeLines),n&&(t.state.activeLines=[],i(t,t.listSelections()),t.on("beforeSelectionChange",a)))})}(n(1629))},3007:function(e,t,n){var r=n(3008);"string"==typeof r&&(r=[[e.i,r,""]]);var o={hmr:!0,transform:void 0,insertInto:void 0};n(293)(r,o);r.locals&&(e.exports=r.locals)},3008:function(e,t,n){(e.exports=n(292)(!1)).push([e.i,"/* BASICS */\n\n.CodeMirror {\n /* Set height, width, borders, and global font properties here */\n font-family: monospace;\n height: 300px;\n color: black;\n direction: ltr;\n}\n\n/* PADDING */\n\n.CodeMirror-lines {\n padding: 4px 0; /* Vertical padding around content */\n}\n.CodeMirror pre {\n padding: 0 4px; /* Horizontal padding of content */\n}\n\n.CodeMirror-scrollbar-filler, .CodeMirror-gutter-filler {\n background-color: white; /* The little square between H and V scrollbars */\n}\n\n/* GUTTER */\n\n.CodeMirror-gutters {\n border-right: 1px solid #ddd;\n background-color: #f7f7f7;\n white-space: nowrap;\n}\n.CodeMirror-linenumbers {}\n.CodeMirror-linenumber {\n padding: 0 3px 0 5px;\n min-width: 20px;\n text-align: right;\n color: #999;\n white-space: nowrap;\n}\n\n.CodeMirror-guttermarker { color: black; }\n.CodeMirror-guttermarker-subtle { color: #999; }\n\n/* CURSOR */\n\n.CodeMirror-cursor {\n border-left: 1px solid black;\n border-right: none;\n width: 0;\n}\n/* Shown when moving in bi-directional text */\n.CodeMirror div.CodeMirror-secondarycursor {\n border-left: 1px solid silver;\n}\n.cm-fat-cursor .CodeMirror-cursor {\n width: auto;\n border: 0 !important;\n background: #7e7;\n}\n.cm-fat-cursor div.CodeMirror-cursors {\n z-index: 1;\n}\n.cm-fat-cursor-mark {\n background-color: rgba(20, 255, 20, 0.5);\n -webkit-animation: blink 1.06s steps(1) infinite;\n -moz-animation: blink 1.06s steps(1) infinite;\n animation: blink 1.06s steps(1) infinite;\n}\n.cm-animate-fat-cursor {\n width: auto;\n border: 0;\n -webkit-animation: blink 1.06s steps(1) infinite;\n -moz-animation: blink 1.06s steps(1) infinite;\n animation: blink 1.06s steps(1) infinite;\n background-color: #7e7;\n}\n@-moz-keyframes blink {\n 0% {}\n 50% { background-color: transparent; }\n 100% {}\n}\n@-webkit-keyframes blink {\n 0% {}\n 50% { background-color: transparent; }\n 100% {}\n}\n@keyframes blink {\n 0% {}\n 50% { background-color: transparent; }\n 100% {}\n}\n\n/* Can style cursor different in overwrite (non-insert) mode */\n.CodeMirror-overwrite .CodeMirror-cursor {}\n\n.cm-tab { display: inline-block; text-decoration: inherit; }\n\n.CodeMirror-rulers {\n position: absolute;\n left: 0; right: 0; top: -50px; bottom: -20px;\n overflow: hidden;\n}\n.CodeMirror-ruler {\n border-left: 1px solid #ccc;\n top: 0; bottom: 0;\n position: absolute;\n}\n\n/* DEFAULT THEME */\n\n.cm-s-default .cm-header {color: blue;}\n.cm-s-default .cm-quote {color: #090;}\n.cm-negative {color: #d44;}\n.cm-positive {color: #292;}\n.cm-header, .cm-strong {font-weight: bold;}\n.cm-em {font-style: italic;}\n.cm-link {text-decoration: underline;}\n.cm-strikethrough {text-decoration: line-through;}\n\n.cm-s-default .cm-keyword {color: #708;}\n.cm-s-default .cm-atom {color: #219;}\n.cm-s-default .cm-number {color: #164;}\n.cm-s-default .cm-def {color: #00f;}\n.cm-s-default .cm-variable,\n.cm-s-default .cm-punctuation,\n.cm-s-default .cm-property,\n.cm-s-default .cm-operator {}\n.cm-s-default .cm-variable-2 {color: #05a;}\n.cm-s-default .cm-variable-3, .cm-s-default .cm-type {color: #085;}\n.cm-s-default .cm-comment {color: #a50;}\n.cm-s-default .cm-string {color: #a11;}\n.cm-s-default .cm-string-2 {color: #f50;}\n.cm-s-default .cm-meta {color: #555;}\n.cm-s-default .cm-qualifier {color: #555;}\n.cm-s-default .cm-builtin {color: #30a;}\n.cm-s-default .cm-bracket {color: #997;}\n.cm-s-default .cm-tag {color: #170;}\n.cm-s-default .cm-attribute {color: #00c;}\n.cm-s-default .cm-hr {color: #999;}\n.cm-s-default .cm-link {color: #00c;}\n\n.cm-s-default .cm-error {color: #f00;}\n.cm-invalidchar {color: #f00;}\n\n.CodeMirror-composing { border-bottom: 2px solid; }\n\n/* Default styles for common addons */\n\ndiv.CodeMirror span.CodeMirror-matchingbracket {color: #0b0;}\ndiv.CodeMirror span.CodeMirror-nonmatchingbracket {color: #a22;}\n.CodeMirror-matchingtag { background: rgba(255, 150, 0, .3); }\n.CodeMirror-activeline-background {background: #e8f2ff;}\n\n/* STOP */\n\n/* The rest of this file contains styles related to the mechanics of\n the editor. You probably shouldn't touch them. */\n\n.CodeMirror {\n position: relative;\n overflow: hidden;\n background: white;\n}\n\n.CodeMirror-scroll {\n overflow: scroll !important; /* Things will break if this is overridden */\n /* 30px is the magic margin used to hide the element's real scrollbars */\n /* See overflow: hidden in .CodeMirror */\n margin-bottom: -30px; margin-right: -30px;\n padding-bottom: 30px;\n height: 100%;\n outline: none; /* Prevent dragging from highlighting the element */\n position: relative;\n}\n.CodeMirror-sizer {\n position: relative;\n border-right: 30px solid transparent;\n}\n\n/* The fake, visible scrollbars. Used to force redraw during scrolling\n before actual scrolling happens, thus preventing shaking and\n flickering artifacts. */\n.CodeMirror-vscrollbar, .CodeMirror-hscrollbar, .CodeMirror-scrollbar-filler, .CodeMirror-gutter-filler {\n position: absolute;\n z-index: 6;\n display: none;\n}\n.CodeMirror-vscrollbar {\n right: 0; top: 0;\n overflow-x: hidden;\n overflow-y: scroll;\n}\n.CodeMirror-hscrollbar {\n bottom: 0; left: 0;\n overflow-y: hidden;\n overflow-x: scroll;\n}\n.CodeMirror-scrollbar-filler {\n right: 0; bottom: 0;\n}\n.CodeMirror-gutter-filler {\n left: 0; bottom: 0;\n}\n\n.CodeMirror-gutters {\n position: absolute; left: 0; top: 0;\n min-height: 100%;\n z-index: 3;\n}\n.CodeMirror-gutter {\n white-space: normal;\n height: 100%;\n display: inline-block;\n vertical-align: top;\n margin-bottom: -30px;\n}\n.CodeMirror-gutter-wrapper {\n position: absolute;\n z-index: 4;\n background: none !important;\n border: none !important;\n}\n.CodeMirror-gutter-background {\n position: absolute;\n top: 0; bottom: 0;\n z-index: 4;\n}\n.CodeMirror-gutter-elt {\n position: absolute;\n cursor: default;\n z-index: 4;\n}\n.CodeMirror-gutter-wrapper ::selection { background-color: transparent }\n.CodeMirror-gutter-wrapper ::-moz-selection { background-color: transparent }\n\n.CodeMirror-lines {\n cursor: text;\n min-height: 1px; /* prevents collapsing before first draw */\n}\n.CodeMirror pre {\n /* Reset some styles that the rest of the page might have set */\n -moz-border-radius: 0; -webkit-border-radius: 0; border-radius: 0;\n border-width: 0;\n background: transparent;\n font-family: inherit;\n font-size: inherit;\n margin: 0;\n white-space: pre;\n word-wrap: normal;\n line-height: inherit;\n color: inherit;\n z-index: 2;\n position: relative;\n overflow: visible;\n -webkit-tap-highlight-color: transparent;\n -webkit-font-variant-ligatures: contextual;\n font-variant-ligatures: contextual;\n}\n.CodeMirror-wrap pre {\n word-wrap: break-word;\n white-space: pre-wrap;\n word-break: normal;\n}\n\n.CodeMirror-linebackground {\n position: absolute;\n left: 0; right: 0; top: 0; bottom: 0;\n z-index: 0;\n}\n\n.CodeMirror-linewidget {\n position: relative;\n z-index: 2;\n padding: 0.1px; /* Force widget margins to stay inside of the container */\n}\n\n.CodeMirror-widget {}\n\n.CodeMirror-rtl pre { direction: rtl; }\n\n.CodeMirror-code {\n outline: none;\n}\n\n/* Force content-box sizing for the elements where we expect it */\n.CodeMirror-scroll,\n.CodeMirror-sizer,\n.CodeMirror-gutter,\n.CodeMirror-gutters,\n.CodeMirror-linenumber {\n -moz-box-sizing: content-box;\n box-sizing: content-box;\n}\n\n.CodeMirror-measure {\n position: absolute;\n width: 100%;\n height: 0;\n overflow: hidden;\n visibility: hidden;\n}\n\n.CodeMirror-cursor {\n position: absolute;\n pointer-events: none;\n}\n.CodeMirror-measure pre { position: static; }\n\ndiv.CodeMirror-cursors {\n visibility: hidden;\n position: relative;\n z-index: 3;\n}\ndiv.CodeMirror-dragcursors {\n visibility: visible;\n}\n\n.CodeMirror-focused div.CodeMirror-cursors {\n visibility: visible;\n}\n\n.CodeMirror-selected { background: #d9d9d9; }\n.CodeMirror-focused .CodeMirror-selected { background: #d7d4f0; }\n.CodeMirror-crosshair { cursor: crosshair; }\n.CodeMirror-line::selection, .CodeMirror-line > span::selection, .CodeMirror-line > span > span::selection { background: #d7d4f0; }\n.CodeMirror-line::-moz-selection, .CodeMirror-line > span::-moz-selection, .CodeMirror-line > span > span::-moz-selection { background: #d7d4f0; }\n\n.cm-searching {\n background-color: #ffa;\n background-color: rgba(255, 255, 0, .4);\n}\n\n/* Used to force a border model for a node */\n.cm-force-border { padding-right: .1px; }\n\n@media print {\n /* Hide the cursor when printing */\n .CodeMirror div.CodeMirror-cursors {\n visibility: hidden;\n }\n}\n\n/* See issue #2901 */\n.cm-tab-wrap-hack:after { content: ''; }\n\n/* Help users use markselection to safely style text background */\nspan.CodeMirror-selectedtext { background: none; }\n",""])},3009:function(e,t,n){var r=n(3010);"string"==typeof r&&(r=[[e.i,r,""]]);var o={hmr:!0,transform:void 0,insertInto:void 0};n(293)(r,o);r.locals&&(e.exports=r.locals)},3010:function(e,t,n){(e.exports=n(292)(!1)).push([e.i,".CodeMirror-simplescroll-horizontal div, .CodeMirror-simplescroll-vertical div {\n position: absolute;\n background: #ccc;\n -moz-box-sizing: border-box;\n box-sizing: border-box;\n border: 1px solid #bbb;\n border-radius: 2px;\n}\n\n.CodeMirror-simplescroll-horizontal, .CodeMirror-simplescroll-vertical {\n position: absolute;\n z-index: 6;\n background: #eee;\n}\n\n.CodeMirror-simplescroll-horizontal {\n bottom: 0; left: 0;\n height: 8px;\n}\n.CodeMirror-simplescroll-horizontal div {\n bottom: 0;\n height: 100%;\n}\n\n.CodeMirror-simplescroll-vertical {\n right: 0; top: 0;\n width: 8px;\n}\n.CodeMirror-simplescroll-vertical div {\n right: 0;\n width: 100%;\n}\n\n\n.CodeMirror-overlayscroll .CodeMirror-scrollbar-filler, .CodeMirror-overlayscroll .CodeMirror-gutter-filler {\n display: none;\n}\n\n.CodeMirror-overlayscroll-horizontal div, .CodeMirror-overlayscroll-vertical div {\n position: absolute;\n background: #bcd;\n border-radius: 3px;\n}\n\n.CodeMirror-overlayscroll-horizontal, .CodeMirror-overlayscroll-vertical {\n position: absolute;\n z-index: 6;\n}\n\n.CodeMirror-overlayscroll-horizontal {\n bottom: 0; left: 0;\n height: 6px;\n}\n.CodeMirror-overlayscroll-horizontal div {\n bottom: 0;\n height: 100%;\n}\n\n.CodeMirror-overlayscroll-vertical {\n right: 0; top: 0;\n width: 6px;\n}\n.CodeMirror-overlayscroll-vertical div {\n right: 0;\n width: 100%;\n}\n",""])},3011:function(e,t,n){var r=n(3012);"string"==typeof r&&(r=[[e.i,r,""]]);var o={hmr:!0,transform:void 0,insertInto:void 0};n(293)(r,o);r.locals&&(e.exports=r.locals)},3012:function(e,t,n){(e.exports=n(292)(!1)).push([e.i,'.CodeMirror-foldmarker {\n color: blue;\n text-shadow: #b9f 1px 1px 2px, #b9f -1px -1px 2px, #b9f 1px -1px 2px, #b9f -1px 1px 2px;\n font-family: arial;\n line-height: .3;\n cursor: pointer;\n}\n.CodeMirror-foldgutter {\n width: .7em;\n}\n.CodeMirror-foldgutter-open,\n.CodeMirror-foldgutter-folded {\n cursor: pointer;\n}\n.CodeMirror-foldgutter-open:after {\n content: "\\25BE";\n}\n.CodeMirror-foldgutter-folded:after {\n content: "\\25B8";\n}\n',""])},3013:function(e,t,n){var r=n(3014);"string"==typeof r&&(r=[[e.i,r,""]]);var o={hmr:!0,transform:void 0,insertInto:void 0};n(293)(r,o);r.locals&&(e.exports=r.locals)},3014:function(e,t,n){(e.exports=n(292)(!1)).push([e.i,".CodeMirror-dialog {\n position: absolute;\n left: 0; right: 0;\n background: inherit;\n z-index: 15;\n padding: .1em .8em;\n overflow: hidden;\n color: inherit;\n}\n\n.CodeMirror-dialog-top {\n border-bottom: 1px solid #eee;\n top: 0;\n}\n\n.CodeMirror-dialog-bottom {\n border-top: 1px solid #eee;\n bottom: 0;\n}\n\n.CodeMirror-dialog input {\n border: none;\n outline: none;\n background: transparent;\n width: 20em;\n color: inherit;\n font-family: monospace;\n}\n\n.CodeMirror-dialog button {\n font-size: 70%;\n}\n",""])},3015:function(e,t,n){"use strict";(function(e,r,o){Object.defineProperty(t,"__esModule",{value:!0});var i,a,s,l,c,u,p=function(){function e(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}return function(t,n,r){return n&&e(t.prototype,n),r&&e(t,r),t}}(),d=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var n=arguments[t];for(var r in n)Object.prototype.hasOwnProperty.call(n,r)&&(e[r]=n[r])}return e};t.showConflictModal=$,t.default=function(t,r,o,i){var a=arguments.length>4&&void 0!==arguments[4]?arguments[4]:{},s=(0,f.default)(t.panel);s.html(B);var l="files-"+v.default.v4().slice(0,8),c=o.connect("finder/connect"),u=o.url;var p=new E.default((0,f.default)("#react-modal-container"),(0,f.default)("#modal_crumbs"),["/"],{cd_callback:function(e){c.send({type:"list",passback:"modal",client_id:l,path:e.join("/")}),C.default.show_loading_modal((0,f.default)("#files_modal"),"modal_files_list_loading")},open_callback:function(e,t){var n=e.closest(".modal");n.find("#files_modal_input").val(t),n.find("#files_modal_submit").click()},select_callback:function(e){(0,f.default)("#files_modal_form").find("#files_modal_input").val(e)}}),d=p.cdUp.bind(p),b=(0,f.default)(".student-workspace .modal--back-arrow")[0];m.default.render(h.default.createElement(y.ParentDir,{handleNavigateUp:d}),b);var g=new(n(485));t.events=function(){return g},t.fileViewer=p,t.cur_dir=["/"],t.getCurDir=function(){return t.cur_dir.join("/").replace(/^\/\//,"/")},C.default.show_loading_modal(s,"files_list_loading"),(0,f.default)("#uploader .upload_icon").each(function(e,t){m.default.render(h.default.createElement(x.default,null),t)}),t.newFile=function(){var e=(0,f.default)("#layout_main"),n=t.cur_dir.slice(0);C.default.trigger_files_modal(e,{action:"CREATE FILE",input_default:"",focus_name_input:!0},n,p,function(e,n){var i=(0,O.build_path)(e,n),a=C.default.show_loading_modal(s);t.events().emit("newFile:pre",{path:i}),o.exec('touch "'+i+'"').then(function(){t.events().emit("newFile:post",{path:i}),r.openFile(i),C.default.hide_loading_modal(a)}).catch(function(e){console.error("Error touching path for newFile",e)})})},t.newFolder=function(){C.default.trigger_files_modal((0,f.default)("#layout_main"),{action:"CREATE FOLDER",input_default:"",focus_name_input:!0},t.cur_dir.slice(0),p,function(e,n){var r=(0,O.escape_spaces)((0,O.build_path)(e,n));t.events().emit("newFolder:pre",{path:r}),o.exec("mkdir -p "+r).then(function(e){t.events().emit("newFolder:post",{path:r})}).catch(function(e){console.error('Error creating path "'+r+'" for newFolder.',e)})})};var _=new E.default(s.find("#myFiles"),s.find("#myCrumbs"),t.cur_dir,{cd_callback:function(e){var n=e.join("/");t.cd(n)},open_callback:function(e){var t=z(e),n=t.name,i=t.path,a=(0,T.get_file_url)(i,u),l=(0,O.get_extension)(n);if(l in F)window.open(a);else if(l in N)window.open(a);else if(l in I)window.open(a);else if(l in j)!function(e){var t=C.default.show_loading_modal(s),n=e.split("/"),r=n.slice(0,-1).join("/")+"/",i=n[n.length-1],a=(0,O.get_extension)(i),l=void 0;if("zip"===a)l='unzip "'+e+'" -d "'+r+'"';else if(["tar.gz","tgz"].indexOf(a)>=0)l='tar xvzf "'+e+'" -C "'+r+'"';else if(["tar.bz2","tbz"].indexOf(a)>=0)l='tar xvjf "'+e+'" -C "'+r+'"';else{if("tar"!==a)throw Error("NOT SURE WHAT TO DO WITH "+a);l='tar xvf "'+e+'" -C "'+r+'"'}o.exec(l).then(function(n){if(C.default.hide_loading_modal(t),n.error)return C.default.show_error("Error uncompressing "+e+"\n"+n.stdout)}).catch(function(e){console.error('Error uncompressing file "'+l+'".',e)})}(i);else{var c=r,p=C.default.show_loading_modal(c.panel);c.openFile(i).then(function(){return C.default.hide_loading_modal(p),c.switchTab(i)})}}}),P=_.cdUp.bind(_),M=(0,f.default)("#navbar_container")[0],D=(0,f.default)("#upload_list")[0],A=(0,k.uploadStatus)(t.getCurDir,D,o.url,$);function R(e){var n=e.path;!function(e){var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};U(W,t,e)}(function(e){e&&function(e){var n=C.default.show_loading_modal(s);t.events().emit("remove:pre",{path:e}),o.exec('rm -rf "'+e+'"').then(function(){t.events().emit("remove:post",{path:e}),C.default.hide_loading_modal(n)}).catch(function(t){console.error('Error removing path "'+e+'".',t)})}(n)})}function L(e,n){var r=e.name,i=e.path;C.default.trigger_files_modal((0,f.default)("body"),{action:n,input_default:r,focus_name_input:!0},t.cur_dir.slice(0),p,function(e,n){var r,a,l,c=(0,O.build_path)(e,n);r=i,a=c,l=C.default.show_loading_modal(s),t.events().emit("move:pre",{fromPath:r,toPath:a}),o.exec('mv -f "'+r+'" "'+a+'"').then(function(){t.events().emit("move:post",{fromPath:r,toPath:a}),C.default.hide_loading_modal(l)}).catch(function(e){console.error('Error moving file from "'+r+'" to "'+a+'".',e)})})}function H(e){var n=e.name,r=e.path;C.default.trigger_files_modal((0,f.default)("body"),{action:"COPY HERE",input_default:n,focus_name_input:!0},t.cur_dir.slice(0),p,function(e,n){var i,a,l,c=(0,O.build_path)(e,n);i=r,a=c,l=C.default.show_loading_modal(s),t.events().emit("copy:pre",{fromPath:i,toPath:a}),o.exec('cp -rf "'+i+'" "'+a+'"').then(function(){t.events().emit("copy:post",{fromPath:i,toPath:a}),C.default.hide_loading_modal(l)}).catch(function(e){console.error('Error copying file from "'+i+'" to "'+a+'".',e)})})}m.default.render(h.default.createElement(w.default,{handleNewFile:t.newFile,handleNewFolder:t.newFolder,handleNavigateUp:P,handleUploadFiles:A,parentNode:(0,f.default)("#layout_main")[0]}),M),t.cd=function(e){c.send({type:"cd",passback:"main",path:e}),C.default.show_loading_modal(s,"files_list_loading")};try{f.default.contextMenu({selector:"#"+s.attr("id")+" .file_tab_link",build:function(t,n){var r=(0,f.default)(t).closest(".file_tab_link"),i=z(r);return r.siblings().removeClass("active"),{appendTo:s,hideOnSecondTrigger:!0,position:function(e){e.$menu.css({top:n.clientY,left:n.clientX})},items:{Open:{name:"Open",callback:function(){return e=i,void _.open_file(e);var e}},Move:{name:"Move",callback:function(){return L(i,"MOVE")}},Rename:{name:"Rename",callback:function(){return L(i,"RENAME")}},Copy:{name:"Copy",callback:function(){return H(i)}},Download:{name:"Download",callback:function(){return n=(t=i).name,r=t.isDir,a=t.path,void new e(function(e,t){if(!r)return console.log("trigger_download",a,(0,T.get_download_url)(a,u)),e((0,T.get_download_url)(a,u));var i="/tmp/"+Math.random()+"/",s=i+n+".tar.gz",l="mkdir -p "+i+"; ";l+="tar -czf "+s+" -C "+a+"/.. "+n,o.exec(l).then(function(n){return n.error?t(n.stdout):e((0,T.get_download_url)(s,u))}).catch(function(e){console.error('Error running command "'+l+'" for download.',e)})}).then(function(e){console.log({type:"download",url:e}),window.location.assign(e)}).then(function(){}).catch(function(e){C.default.show_error(e)});var t,n,r,a}},Separator:"-----------",Delete:{name:"Delete",className:"delete",callback:function(){return R(i)}}}}},zIndex:100,animation:{duration:0,show:"show",hide:"hide"}})}catch(e){console.log("ERROR INITIALIZING CONTEXT MENU")}function z(e){var n=void 0;return e.name&&e.link?(n=e).target=(0,f.default)(e.link):(n=e.data()).target=e,n.path=function(e){for(var n=t.cur_dir.join("/")+"/"+e;"/"==n[0]&&"/"==n[1];)n=n.slice(1);return n}(n.name),n}return(0,f.default)("#files_modal").click(function(){(0,f.default)(this).find("tbody.files_list tr").removeClass("active")}),(0,f.default)(window).click(function(e){(0,f.default)("#react-file-list").find(e.target).length||s.find("tbody.files_list tr").removeClass("active")}),c.listen(function(e){if(d="disconnect"!==e.type,f="files-"+t.panel_id,d?i((0,S.connectionUp)(f)):(0,S.dispatchConnectionDownActions)(i,f,Date.now()),"list"==e.type){e.passback||(e.passback="main"),C.default.hide_loading_modal("files_list_loading");for(var n={},r=e.result,o=0;o<r.length;++o){var s=r[o].name,l=(0,O.get_name)(s);"."!=l[0]&&(n[s]=s)}var u=function(e){var t=[];"/"==e[0]&&t.push("/");for(var n=e.split("/"),r=0;r<n.length;r++){var o=n[r];o.length>0&&t.push(o)}return t}(e.path);"main"==e.passback?(t.cur_dir=u,_.update_crumbs(t.cur_dir),_.update_files(r)):"modal"==e.passback?(p.update_crumbs(u),p.update_files(r)):console.log("NOT SURE WHERE TO LIST:",JSON.stringify(e))}else"hide_files_list_loading"==e.type?C.default.hide_loading_modal("files_list_loading"):"list_error"==e.type?(c.send({type:"list",passback:e.passback,path:a.defaultPath||"/"}),C.default.hide_loading_modal("files_list_loading")):["hello","disconnect"].includes(e.type)||("hide_loading"==e.type?C.default.hide_loading_modal(e.loading_id):console.log("UNHEARD MESSAGE:",e));var d,f}),function(){c&&c.close(),t.events().removeAllListeners()}};var f=D(n(123)),h=D(n(1)),m=D(n(16)),b=D(n(196)),g=n(33),_=D(n(0)),v=D(n(1676)),y=n(3016),w=D(y),x=D(n(3018)),k=n(2001),C=D(n(1760)),E=D(n(3045)),O=n(1835),T=n(3046),S=n(1677),P=D(n(3047)),M=D(n(3048));function D(e){return e&&e.__esModule?e:{default:e}}function A(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function R(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}function L(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}var I={avi:!0,mov:!0,mpeg:!0,mpg:!0,mp4:!0},F={png:!0,jpg:!0,jpeg:!0,gif:!0},j={zip:!0,tar:!0,tgz:!0,"tar.gz":!0,tbz:!0,"tar.bz2":!0},N={pdf:!0},B='\n<div id="files_container_inner">\n <div id="navbar_container"></div>\n\n <ul id="myCrumbs" class="breadcrumbs"></ul>\n\n <div id="myFiles" class="files-table-wrapper">\n </div>\n\n <div id="upload_alerts"></div>\n <div id="upload_list"></div>\n</div>\n';function U(e,t,n){m.default.render(h.default.createElement(e,d({onChoose:function(e){r(function(){return m.default.unmountComponentAtNode((0,f.default)("#react-modal")[0])}),n(e)}},t)),(0,f.default)("#react-modal")[0])}var W=o(P.default)((s=a=function(e){function t(){return A(this,t),R(this,(t.__proto__||Object.getPrototypeOf(t)).apply(this,arguments))}return L(t,h.default.Component),p(t,[{key:"render",value:function(){var e=this.props.onChoose,t=function(){return e(!1)};return h.default.createElement(g.Modal,{onRequestClose:t,isOpen:!0},h.default.createElement("div",{styleName:"modal-body"},h.default.createElement(b.default,{className:P.default["warning-icon"],glyph:"warning-xl"}),h.default.createElement("h2",{styleName:"header"},"Are you sure you want to delete?"),h.default.createElement(g.Button,{type:"secondary",onClick:t,className:P.default["cancel-button"]},"Cancel"),h.default.createElement(g.Button,{type:"primary",onClick:function(){return e(!0)},className:P.default["confirm-button"]},"Delete")))}}]),t}(),a.propTypes={onChoose:_.default.func.isRequired},i=s))||i;var H=o(M.default)((u=c=function(e){function t(){return A(this,t),R(this,(t.__proto__||Object.getPrototypeOf(t)).apply(this,arguments))}return L(t,h.default.Component),p(t,[{key:"render",value:function(){return h.default.createElement(g.Modal,{onRequestClose:this.props.onChoose,isOpen:!0},h.default.createElement("div",{styleName:"modal-body"},h.default.createElement(b.default,{className:M.default["warning-icon"],glyph:"warning-xl"}),h.default.createElement("h2",{styleName:"header"},"File Already Exists"),h.default.createElement("div",{styleName:"modal-message"},h.default.createElement("p",null,"Please close and delete this file, then try again."),h.default.createElement("p",{styleName:"target-file"},this.props.fileName)),h.default.createElement(g.Button,{type:"primary",onClick:this.props.onChoose},"OK")))}}]),t}(),c.propTypes={onChoose:_.default.func.isRequired,fileName:_.default.string.isRequired},l=u))||l;function $(e){var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};U(H,t,e)}}).call(this,n(10),n(491).setImmediate,n(5))},3016:function(e,t,n){"use strict";(function(e){Object.defineProperty(t,"__esModule",{value:!0}),t.default=t.ParentDir=void 0;var r,o,i,a,s,l,c,u=function(){function e(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}return function(t,n,r){return n&&e(t.prototype,n),r&&e(t,r),t}}(),p=b(n(1)),d=b(n(196)),f=n(33),h=b(n(0)),m=b(n(3017));function b(e){return e&&e.__esModule?e:{default:e}}function g(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function _(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}function v(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}var y=t.ParentDir=(o=r=function(e){function t(e){return g(this,t),_(this,(t.__proto__||Object.getPrototypeOf(t)).call(this,e))}return v(t,p.default.Component),u(t,[{key:"render",value:function(){return p.default.createElement("li",{className:"navigate_up"},p.default.createElement("a",{onClick:this.props.handleNavigateUp},p.default.createElement(d.default,{glyph:"arrow-left-sm",text:"Back"})))}}]),t}(),r.propTypes={handleNavigateUp:h.default.func},o),w=e(m.default)((s=a=function(e){function t(e){g(this,t);var n=_(this,(t.__proto__||Object.getPrototypeOf(t)).call(this,e));return n.handleUpload=function(e){e.target.value&&(n.props.handleUploadFiles(e.target.files),e.target.value="")},n}return v(t,p.default.Component),u(t,[{key:"componentDidMount",value:function(){this.folderUploader.setAttribute("webkitdirectory","")}},{key:"render",value:function(){var e=this;return p.default.createElement("ul",{styleName:"list"},p.default.createElement("li",{styleName:"item"},p.default.createElement("a",{styleName:"link",onClick:this.props.handleNewFile,"data-test":"wtc-create-new-file"},p.default.createElement(d.default,{glyph:"file-new-sm",text:"Create New File"}),p.default.createElement("span",null,"Create New File"))),p.default.createElement("li",{styleName:"item"},p.default.createElement("a",{styleName:"link",onClick:this.props.handleNewFolder},p.default.createElement(d.default,{glyph:"folder-new-sm",text:"Create New Folder"}),p.default.createElement("span",null,"Create New Folder"))),p.default.createElement("li",{styleName:"separator"}),p.default.createElement("li",{styleName:"item"},p.default.createElement("label",{className:[m.default.link,m.default.uploadLabel].join(" ")},p.default.createElement(d.default,{glyph:"upload-sm",text:"Upload Files"}),"Upload File",p.default.createElement("input",{type:"file",styleName:"uploadInput",onChange:this.handleUpload,multiple:!0}))),p.default.createElement("li",{styleName:"item"},p.default.createElement("label",{className:[m.default.link,m.default.uploadLabel].join(" ")},p.default.createElement(d.default,{glyph:"upload-sm",text:"Upload Folder"}),"Upload Folder",p.default.createElement("input",{ref:function(t){return e.folderUploader=t},type:"file",styleName:"uploadInput",onChange:this.handleUpload,multiple:!0}))))}}]),t}(),a.propTypes={handleNewFile:h.default.func,handleNewFolder:h.default.func,handleUploadFiles:h.default.func},i=s))||i,x=(c=l=function(e){function t(e){g(this,t);var n=_(this,(t.__proto__||Object.getPrototypeOf(t)).call(this,e));return n.handlePopupAlign=function(e){var t=n.refs.tooltip;e.style.top=t.offsetHeight+"px",e.style.left=t.offsetLeft+"px"},n}return v(t,p.default.Component),u(t,[{key:"render",value:function(){var e=this.props.parentNode;return p.default.createElement("div",{id:"files_navbar",className:"navbar unselectable button-navbar"},p.default.createElement("menu",{id:"files_toolbar",className:"nav navbar-nav unselectable"},p.default.createElement(y,{handleNavigateUp:this.props.handleNavigateUp}),p.default.createElement(f.Tooltip,{overlay:p.default.createElement(w,{handleNewFile:this.props.handleNewFile,handleNewFolder:this.props.handleNewFolder,handleUploadFiles:this.props.handleUploadFiles}),onPopupAlign:this.handlePopupAlign,getTooltipContainer:function(){return e},trigger:["hover"],placement:"bottom",overlayClassName:"wtc-add-file-menu"},p.default.createElement("li",{ref:"tooltip"},p.default.createElement("a",{"data-test":"wtc-add-file-menu"},p.default.createElement(d.default,{glyph:"add-sm",text:"Add File"}))))))}}]),t}(),l.propTypes={handleNewFile:h.default.func,handleNewFolder:h.default.func,handleNavigateUp:h.default.func,handleUploadFiles:h.default.func,parentNode:h.default.instanceOf(window.Element)},c);t.default=x}).call(this,n(5))},3017:function(e,t,n){e.exports={list:"navbar--list--2k_hD",link:"navbar--link--1ttB5",item:"navbar--item--gjfs8",uploadLabel:"navbar--uploadLabel--NfTiM",uploadInput:"navbar--uploadInput--2tre8",separator:"navbar--separator--d0BdX"}},3018:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.default=void 0;var r=function(){function e(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}return function(t,n,r){return n&&e(t.prototype,n),r&&e(t,r),t}}(),o=a(n(1)),i=a(n(196));function a(e){return e&&e.__esModule?e:{default:e}}var s=function(e){function t(){return function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}(this,t),function(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}(this,(t.__proto__||Object.getPrototypeOf(t)).apply(this,arguments))}return function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}(t,o.default.Component),r(t,[{key:"render",value:function(){return o.default.createElement(i.default,{glyph:"upload-sm",text:"Upload Files"})}}]),t}();t.default=s},3019:function(e,t,n){(function(e,n,r,o){(function(t){"use strict";function i(e,t){t|=0;for(var n=Math.max(e.length-t,0),r=Array(n),o=0;o<n;o++)r[o]=e[t+o];return r}var a=function(e){var t=i(arguments,1);return function(){var n=i(arguments);return e.apply(null,t.concat(n))}},s=function(e){return function(){var t=i(arguments),n=t.pop();e.call(this,t,n)}};function l(e){var t=typeof e;return null!=e&&("object"==t||"function"==t)}var c="function"==typeof e&&e,u="object"==typeof n&&"function"==typeof n.nextTick;function p(e){setTimeout(e,0)}function d(e){return function(t){var n=i(arguments,1);e(function(){t.apply(null,n)})}}var f=d(c?e:u?n.nextTick:p);function h(e){return s(function(t,n){var r;try{r=e.apply(this,t)}catch(e){return n(e)}l(r)&&"function"==typeof r.then?r.then(function(e){m(n,null,e)},function(e){m(n,e.message?e:new Error(e))}):n(null,r)})}function m(e,t,n){try{e(t,n)}catch(e){f(b,e)}}function b(e){throw e}var g="function"==typeof Symbol;function _(e){return g&&"AsyncFunction"===e[Symbol.toStringTag]}function v(e){return _(e)?h(e):e}function y(e){return function(t){var n=i(arguments,1),r=s(function(n,r){var o=this;return e(t,function(e,t){v(e).apply(o,n.concat(t))},r)});return n.length?r.apply(this,n):r}}var w="object"==typeof r&&r&&r.Object===Object&&r,x="object"==typeof self&&self&&self.Object===Object&&self,k=w||x||Function("return this")(),C=k.Symbol,E=Object.prototype,O=E.hasOwnProperty,T=E.toString,S=C?C.toStringTag:void 0,P=Object.prototype.toString,M="[object Null]",D="[object Undefined]",A=C?C.toStringTag:void 0;function R(e){return null==e?void 0===e?D:M:A&&A in Object(e)?function(e){var t=O.call(e,S),n=e[S];try{e[S]=void 0;var r=!0}catch(e){}var o=T.call(e);return r&&(t?e[S]=n:delete e[S]),o}(e):function(e){return P.call(e)}(e)}var L="[object AsyncFunction]",I="[object Function]",F="[object GeneratorFunction]",j="[object Proxy]",N=9007199254740991;function B(e){return"number"==typeof e&&e>-1&&e%1==0&&e<=N}function U(e){return null!=e&&B(e.length)&&!function(e){if(!l(e))return!1;var t=R(e);return t==I||t==F||t==L||t==j}(e)}var W={};function H(){}function $(e){return function(){if(null!==e){var t=e;e=null,t.apply(this,arguments)}}}var z="function"==typeof Symbol&&Symbol.iterator,q=function(e){return z&&e[z]&&e[z]()};function K(e){return null!=e&&"object"==typeof e}var G="[object Arguments]";function V(e){return K(e)&&R(e)==G}var X=Object.prototype,Y=X.hasOwnProperty,J=X.propertyIsEnumerable,Q=V(function(){return arguments}())?V:function(e){return K(e)&&Y.call(e,"callee")&&!J.call(e,"callee")},Z=Array.isArray,ee="object"==typeof t&&t&&!t.nodeType&&t,te=ee&&"object"==typeof o&&o&&!o.nodeType&&o,ne=te&&te.exports===ee?k.Buffer:void 0,re=(ne?ne.isBuffer:void 0)||function(){return!1},oe=9007199254740991,ie=/^(?:0|[1-9]\d*)$/;function ae(e,t){var n=typeof e;return!!(t=null==t?oe:t)&&("number"==n||"symbol"!=n&&ie.test(e))&&e>-1&&e%1==0&&e<t}var se={};se["[object Float32Array]"]=se["[object Float64Array]"]=se["[object Int8Array]"]=se["[object Int16Array]"]=se["[object Int32Array]"]=se["[object Uint8Array]"]=se["[object Uint8ClampedArray]"]=se["[object Uint16Array]"]=se["[object Uint32Array]"]=!0,se["[object Arguments]"]=se["[object Array]"]=se["[object ArrayBuffer]"]=se["[object Boolean]"]=se["[object DataView]"]=se["[object Date]"]=se["[object Error]"]=se["[object Function]"]=se["[object Map]"]=se["[object Number]"]=se["[object Object]"]=se["[object RegExp]"]=se["[object Set]"]=se["[object String]"]=se["[object WeakMap]"]=!1;var le,ce="object"==typeof t&&t&&!t.nodeType&&t,ue=ce&&"object"==typeof o&&o&&!o.nodeType&&o,pe=ue&&ue.exports===ce&&w.process,de=function(){try{var e=ue&&ue.require&&ue.require("util").types;return e||pe&&pe.binding&&pe.binding("util")}catch(e){}}(),fe=de&&de.isTypedArray,he=fe?(le=fe,function(e){return le(e)}):function(e){return K(e)&&B(e.length)&&!!se[R(e)]},me=Object.prototype.hasOwnProperty;function be(e,t){var n=Z(e),r=!n&&Q(e),o=!n&&!r&&re(e),i=!n&&!r&&!o&&he(e),a=n||r||o||i,s=a?function(e,t){for(var n=-1,r=Array(e);++n<e;)r[n]=t(n);return r}(e.length,String):[],l=s.length;for(var c in e)!t&&!me.call(e,c)||a&&("length"==c||o&&("offset"==c||"parent"==c)||i&&("buffer"==c||"byteLength"==c||"byteOffset"==c)||ae(c,l))||s.push(c);return s}var ge=Object.prototype,_e=function(e,t){return function(n){return e(t(n))}}(Object.keys,Object),ve=Object.prototype.hasOwnProperty;function ye(e){if(n=(t=e)&&t.constructor,t!==("function"==typeof n&&n.prototype||ge))return _e(e);var t,n,r=[];for(var o in Object(e))ve.call(e,o)&&"constructor"!=o&&r.push(o);return r}function we(e){return U(e)?be(e):ye(e)}function xe(e){if(U(e))return function(e){var t=-1,n=e.length;return function(){return++t<n?{value:e[t],key:t}:null}}(e);var t,n,r,o,i=q(e);return i?function(e){var t=-1;return function(){var n=e.next();return n.done?null:(t++,{value:n.value,key:t})}}(i):(n=we(t=e),r=-1,o=n.length,function(){var e=n[++r];return r<o?{value:t[e],key:e}:null})}function ke(e){return function(){if(null===e)throw new Error("Callback was already called.");var t=e;e=null,t.apply(this,arguments)}}function Ce(e){return function(t,n,r){if(r=$(r||H),e<=0||!t)return r(null);var o=xe(t),i=!1,a=0,s=!1;function l(e,t){if(a-=1,e)i=!0,r(e);else{if(t===W||i&&a<=0)return i=!0,r(null);s||c()}}function c(){for(s=!0;a<e&&!i;){var t=o();if(null===t)return i=!0,void(a<=0&&r(null));a+=1,n(t.value,t.key,ke(l))}s=!1}c()}}function Ee(e,t,n,r){Ce(t)(e,v(n),r)}function Oe(e,t){return function(n,r,o){return e(n,t,r,o)}}function Te(e,t,n){n=$(n||H);var r=0,o=0,i=e.length;function a(e,t){e?n(e):++o!==i&&t!==W||n(null)}for(0===i&&n(null);r<i;r++)t(e[r],r,ke(a))}var Se=Oe(Ee,1/0),Pe=function(e,t,n){(U(e)?Te:Se)(e,v(t),n)};function Me(e){return function(t,n,r){return e(Pe,t,v(n),r)}}function De(e,t,n,r){r=r||H,t=t||[];var o=[],i=0,a=v(n);e(t,function(e,t,n){var r=i++;a(e,function(e,t){o[r]=t,n(e)})},function(e){r(e,o)})}var Ae=Me(De),Re=y(Ae);function Le(e){return function(t,n,r,o){return e(Ce(n),t,v(r),o)}}var Ie=Le(De),Fe=Oe(Ie,1),je=y(Fe);function Ne(e,t){for(var n=-1,r=null==e?0:e.length;++n<r&&!1!==t(e[n],n,e););return e}var Be,Ue=function(e,t,n){for(var r=-1,o=Object(e),i=n(e),a=i.length;a--;){var s=i[Be?a:++r];if(!1===t(o[s],s,o))break}return e};function We(e,t){return e&&Ue(e,t,we)}function He(e){return e!=e}function $e(e,t,n){return t==t?function(e,t,n){for(var r=n-1,o=e.length;++r<o;)if(e[r]===t)return r;return-1}(e,t,n):function(e,t,n,r){for(var o=e.length,i=n+(r?1:-1);r?i--:++i<o;)if(t(e[i],i,e))return i;return-1}(e,He,n)}var ze=function(e,t,n){"function"==typeof t&&(n=t,t=null),n=$(n||H);var r=we(e).length;if(!r)return n(null);t||(t=r);var o={},a=0,s=!1,l=Object.create(null),c=[],u=[],p={};function d(e,t){c.push(function(){!function(e,t){if(s)return;var r=ke(function(t,r){if(a--,arguments.length>2&&(r=i(arguments,1)),t){var c={};We(o,function(e,t){c[t]=e}),c[e]=r,s=!0,l=Object.create(null),n(t,c)}else o[e]=r,Ne(l[e]||[],function(e){e()}),f()});a++;var c=v(t[t.length-1]);t.length>1?c(o,r):c(r)}(e,t)})}function f(){if(0===c.length&&0===a)return n(null,o);for(;c.length&&a<t;){c.shift()()}}function h(t){var n=[];return We(e,function(e,r){Z(e)&&$e(e,t,0)>=0&&n.push(r)}),n}We(e,function(t,n){if(!Z(t))return d(n,[t]),void u.push(n);var r=t.slice(0,t.length-1),o=r.length;if(0===o)return d(n,t),void u.push(n);p[n]=o,Ne(r,function(i){if(!e[i])throw new Error("async.auto task `"+n+"` has a non-existent dependency `"+i+"` in "+r.join(", "));!function(e,t){var n=l[e];n||(n=l[e]=[]);n.push(t)}(i,function(){0===--o&&d(n,t)})})}),function(){var e,t=0;for(;u.length;)e=u.pop(),t++,Ne(h(e),function(e){0==--p[e]&&u.push(e)});if(t!==r)throw new Error("async.auto cannot execute tasks due to a recursive dependency")}(),f()};function qe(e,t){for(var n=-1,r=null==e?0:e.length,o=Array(r);++n<r;)o[n]=t(e[n],n,e);return o}var Ke="[object Symbol]",Ge=1/0,Ve=C?C.prototype:void 0,Xe=Ve?Ve.toString:void 0;function Ye(e){if("string"==typeof e)return e;if(Z(e))return qe(e,Ye)+"";if(function(e){return"symbol"==typeof e||K(e)&&R(e)==Ke}(e))return Xe?Xe.call(e):"";var t=e+"";return"0"==t&&1/e==-Ge?"-0":t}function Je(e,t,n){var r=e.length;return n=void 0===n?r:n,!t&&n>=r?e:function(e,t,n){var r=-1,o=e.length;t<0&&(t=-t>o?0:o+t),(n=n>o?o:n)<0&&(n+=o),o=t>n?0:n-t>>>0,t>>>=0;for(var i=Array(o);++r<o;)i[r]=e[r+t];return i}(e,t,n)}var Qe=RegExp("[\\u200d\\ud800-\\udfff\\u0300-\\u036f\\ufe20-\\ufe2f\\u20d0-\\u20ff\\ufe0e\\ufe0f]"),Ze="[\\ud800-\\udfff]",et="[\\u0300-\\u036f\\ufe20-\\ufe2f\\u20d0-\\u20ff]",tt="\\ud83c[\\udffb-\\udfff]",nt="[^\\ud800-\\udfff]",rt="(?:\\ud83c[\\udde6-\\uddff]){2}",ot="[\\ud800-\\udbff][\\udc00-\\udfff]",it="(?:"+et+"|"+tt+")"+"?",at="[\\ufe0e\\ufe0f]?"+it+("(?:\\u200d(?:"+[nt,rt,ot].join("|")+")[\\ufe0e\\ufe0f]?"+it+")*"),st="(?:"+[nt+et+"?",et,rt,ot,Ze].join("|")+")",lt=RegExp(tt+"(?="+tt+")|"+st+at,"g");function ct(e){return function(e){return Qe.test(e)}(e)?function(e){return e.match(lt)||[]}(e):function(e){return e.split("")}(e)}var ut=/^\s+|\s+$/g;function pt(e,t,n){var r;if((e=null==(r=e)?"":Ye(r))&&(n||void 0===t))return e.replace(ut,"");if(!e||!(t=Ye(t)))return e;var o=ct(e),i=ct(t);return Je(o,function(e,t){for(var n=-1,r=e.length;++n<r&&$e(t,e[n],0)>-1;);return n}(o,i),function(e,t){for(var n=e.length;n--&&$e(t,e[n],0)>-1;);return n}(o,i)+1).join("")}var dt=/^(?:async\s+)?(function)?\s*[^\(]*\(\s*([^\)]*)\)/m,ft=/,/,ht=/(=.+)?(\s*)$/,mt=/((\/\/.*$)|(\/\*[\s\S]*?\*\/))/gm;function bt(e,t){var n={};We(e,function(e,t){var r,o,i=_(e),a=!i&&1===e.length||i&&0===e.length;if(Z(e))r=e.slice(0,-1),e=e[e.length-1],n[t]=r.concat(r.length>0?s:e);else if(a)n[t]=e;else{if(r=o=(o=(o=(o=(o=e).toString().replace(mt,"")).match(dt)[2].replace(" ",""))?o.split(ft):[]).map(function(e){return pt(e.replace(ht,""))}),0===e.length&&!i&&0===r.length)throw new Error("autoInject task functions require explicit parameters.");i||r.pop(),n[t]=r.concat(s)}function s(t,n){var o=qe(r,function(e){return t[e]});o.push(n),v(e).apply(null,o)}}),ze(n,t)}function gt(){this.head=this.tail=null,this.length=0}function _t(e,t){e.length=1,e.head=e.tail=t}function vt(e,t,n){if(null==t)t=1;else if(0===t)throw new Error("Concurrency must not be zero");var r=v(e),o=0,i=[],a=!1;function s(e,t,n){if(null!=n&&"function"!=typeof n)throw new Error("task callback must be a function");if(u.started=!0,Z(e)||(e=[e]),0===e.length&&u.idle())return f(function(){u.drain()});for(var r=0,o=e.length;r<o;r++){var i={data:e[r],callback:n||H};t?u._tasks.unshift(i):u._tasks.push(i)}a||(a=!0,f(function(){a=!1,u.process()}))}function l(e){return function(t){o-=1;for(var n=0,r=e.length;n<r;n++){var a=e[n],s=$e(i,a,0);0===s?i.shift():s>0&&i.splice(s,1),a.callback.apply(a,arguments),null!=t&&u.error(t,a.data)}o<=u.concurrency-u.buffer&&u.unsaturated(),u.idle()&&u.drain(),u.process()}}var c=!1,u={_tasks:new gt,concurrency:t,payload:n,saturated:H,unsaturated:H,buffer:t/4,empty:H,drain:H,error:H,started:!1,paused:!1,push:function(e,t){s(e,!1,t)},kill:function(){u.drain=H,u._tasks.empty()},unshift:function(e,t){s(e,!0,t)},remove:function(e){u._tasks.remove(e)},process:function(){if(!c){for(c=!0;!u.paused&&o<u.concurrency&&u._tasks.length;){var e=[],t=[],n=u._tasks.length;u.payload&&(n=Math.min(n,u.payload));for(var a=0;a<n;a++){var s=u._tasks.shift();e.push(s),i.push(s),t.push(s.data)}o+=1,0===u._tasks.length&&u.empty(),o===u.concurrency&&u.saturated();var p=ke(l(e));r(t,p)}c=!1}},length:function(){return u._tasks.length},running:function(){return o},workersList:function(){return i},idle:function(){return u._tasks.length+o===0},pause:function(){u.paused=!0},resume:function(){!1!==u.paused&&(u.paused=!1,f(u.process))}};return u}function yt(e,t){return vt(e,1,t)}gt.prototype.removeLink=function(e){return e.prev?e.prev.next=e.next:this.head=e.next,e.next?e.next.prev=e.prev:this.tail=e.prev,e.prev=e.next=null,this.length-=1,e},gt.prototype.empty=function(){for(;this.head;)this.shift();return this},gt.prototype.insertAfter=function(e,t){t.prev=e,t.next=e.next,e.next?e.next.prev=t:this.tail=t,e.next=t,this.length+=1},gt.prototype.insertBefore=function(e,t){t.prev=e.prev,t.next=e,e.prev?e.prev.next=t:this.head=t,e.prev=t,this.length+=1},gt.prototype.unshift=function(e){this.head?this.insertBefore(this.head,e):_t(this,e)},gt.prototype.push=function(e){this.tail?this.insertAfter(this.tail,e):_t(this,e)},gt.prototype.shift=function(){return this.head&&this.removeLink(this.head)},gt.prototype.pop=function(){return this.tail&&this.removeLink(this.tail)},gt.prototype.toArray=function(){for(var e=Array(this.length),t=this.head,n=0;n<this.length;n++)e[n]=t.data,t=t.next;return e},gt.prototype.remove=function(e){for(var t=this.head;t;){var n=t.next;e(t)&&this.removeLink(t),t=n}return this};var wt=Oe(Ee,1);function xt(e,t,n,r){r=$(r||H);var o=v(n);wt(e,function(e,n,r){o(t,e,function(e,n){t=n,r(e)})},function(e){r(e,t)})}function kt(){var e=qe(arguments,v);return function(){var t=i(arguments),n=this,r=t[t.length-1];"function"==typeof r?t.pop():r=H,xt(e,t,function(e,t,r){t.apply(n,e.concat(function(e){var t=i(arguments,1);r(e,t)}))},function(e,t){r.apply(n,[e].concat(t))})}}var Ct=function(){return kt.apply(null,i(arguments).reverse())},Et=Array.prototype.concat,Ot=function(e,t,n,r){r=r||H;var o=v(n);Ie(e,t,function(e,t){o(e,function(e){return e?t(e):t(null,i(arguments,1))})},function(e,t){for(var n=[],o=0;o<t.length;o++)t[o]&&(n=Et.apply(n,t[o]));return r(e,n)})},Tt=Oe(Ot,1/0),St=Oe(Ot,1),Pt=function(){var e=i(arguments),t=[null].concat(e);return function(){return arguments[arguments.length-1].apply(this,t)}};function Mt(e){return e}function Dt(e,t){return function(n,r,o,i){i=i||H;var a,s=!1;n(r,function(n,r,i){o(n,function(r,o){r?i(r):e(o)&&!a?(s=!0,a=t(!0,n),i(null,W)):i()})},function(e){e?i(e):i(null,s?a:t(!1))})}}function At(e,t){return t}var Rt=Me(Dt(Mt,At)),Lt=Le(Dt(Mt,At)),It=Oe(Lt,1);function Ft(e){return function(t){var n=i(arguments,1);n.push(function(t){var n=i(arguments,1);"object"==typeof console&&(t?console.error&&console.error(t):console[e]&&Ne(n,function(t){console[e](t)}))}),v(t).apply(null,n)}}var jt=Ft("dir");function Nt(e,t,n){n=ke(n||H);var r=v(e),o=v(t);function a(e){if(e)return n(e);var t=i(arguments,1);t.push(s),o.apply(this,t)}function s(e,t){return e?n(e):t?void r(a):n(null)}s(null,!0)}function Bt(e,t,n){n=ke(n||H);var r=v(e),o=function(e){if(e)return n(e);var a=i(arguments,1);if(t.apply(this,a))return r(o);n.apply(null,[null].concat(a))};r(o)}function Ut(e,t,n){Bt(e,function(){return!t.apply(this,arguments)},n)}function Wt(e,t,n){n=ke(n||H);var r=v(t),o=v(e);function i(e){if(e)return n(e);o(a)}function a(e,t){return e?n(e):t?void r(i):n(null)}o(a)}function Ht(e){return function(t,n,r){return e(t,r)}}function $t(e,t,n){Pe(e,Ht(v(t)),n)}function zt(e,t,n,r){Ce(t)(e,Ht(v(n)),r)}var qt=Oe(zt,1);function Kt(e){return _(e)?e:s(function(t,n){var r=!0;t.push(function(){var e=arguments;r?f(function(){n.apply(null,e)}):n.apply(null,e)}),e.apply(this,t),r=!1})}function Gt(e){return!e}var Vt=Me(Dt(Gt,Gt)),Xt=Le(Dt(Gt,Gt)),Yt=Oe(Xt,1);function Jt(e){return function(t){return null==t?void 0:t[e]}}function Qt(e,t,n,r){var o=new Array(t.length);e(t,function(e,t,r){n(e,function(e,n){o[t]=!!n,r(e)})},function(e){if(e)return r(e);for(var n=[],i=0;i<t.length;i++)o[i]&&n.push(t[i]);r(null,n)})}function Zt(e,t,n,r){var o=[];e(t,function(e,t,r){n(e,function(n,i){n?r(n):(i&&o.push({index:t,value:e}),r())})},function(e){e?r(e):r(null,qe(o.sort(function(e,t){return e.index-t.index}),Jt("value")))})}function en(e,t,n,r){(U(t)?Qt:Zt)(e,t,v(n),r||H)}var tn=Me(en),nn=Le(en),rn=Oe(nn,1);function on(e,t){var n=ke(t||H),r=v(Kt(e));!function e(t){if(t)return n(t);r(e)}()}var an=function(e,t,n,r){r=r||H;var o=v(n);Ie(e,t,function(e,t){o(e,function(n,r){return n?t(n):t(null,{key:r,val:e})})},function(e,t){for(var n={},o=Object.prototype.hasOwnProperty,i=0;i<t.length;i++)if(t[i]){var a=t[i].key,s=t[i].val;o.call(n,a)?n[a].push(s):n[a]=[s]}return r(e,n)})},sn=Oe(an,1/0),ln=Oe(an,1),cn=Ft("log");function un(e,t,n,r){r=$(r||H);var o={},i=v(n);Ee(e,t,function(e,t,n){i(e,t,function(e,r){if(e)return n(e);o[t]=r,n()})},function(e){r(e,o)})}var pn=Oe(un,1/0),dn=Oe(un,1);function fn(e,t){return t in e}function hn(e,t){var n=Object.create(null),r=Object.create(null);t=t||Mt;var o=v(e),a=s(function(e,a){var s=t.apply(null,e);fn(n,s)?f(function(){a.apply(null,n[s])}):fn(r,s)?r[s].push(a):(r[s]=[a],o.apply(null,e.concat(function(){var e=i(arguments);n[s]=e;var t=r[s];delete r[s];for(var o=0,a=t.length;o<a;o++)t[o].apply(null,e)})))});return a.memo=n,a.unmemoized=e,a}var mn=d(u?n.nextTick:c?e:p);function bn(e,t,n){n=n||H;var r=U(t)?[]:{};e(t,function(e,t,n){v(e)(function(e,o){arguments.length>2&&(o=i(arguments,1)),r[t]=o,n(e)})},function(e){n(e,r)})}function gn(e,t){bn(Pe,e,t)}function _n(e,t,n){bn(Ce(t),e,n)}var vn=function(e,t){var n=v(e);return vt(function(e,t){n(e[0],t)},t,1)},yn=function(e,t){var n=vn(e,t);return n.push=function(e,t,r){if(null==r&&(r=H),"function"!=typeof r)throw new Error("task callback must be a function");if(n.started=!0,Z(e)||(e=[e]),0===e.length)return f(function(){n.drain()});t=t||0;for(var o=n._tasks.head;o&&t>=o.priority;)o=o.next;for(var i=0,a=e.length;i<a;i++){var s={data:e[i],priority:t,callback:r};o?n._tasks.insertBefore(o,s):n._tasks.push(s)}f(n.process)},delete n.unshift,n};function wn(e,t){if(t=$(t||H),!Z(e))return t(new TypeError("First argument to race must be an array of functions"));if(!e.length)return t();for(var n=0,r=e.length;n<r;n++)v(e[n])(t)}function xn(e,t,n,r){xt(i(e).reverse(),t,n,r)}function kn(e){var t=v(e);return s(function(e,n){return e.push(function(e,t){var r;e?n(null,{error:e}):(r=arguments.length<=2?t:i(arguments,1),n(null,{value:r}))}),t.apply(this,e)})}function Cn(e){var t;return Z(e)?t=qe(e,kn):(t={},We(e,function(e,n){t[n]=kn.call(this,e)})),t}function En(e,t,n,r){en(e,t,function(e,t){n(e,function(e,n){t(e,!n)})},r)}var On=Me(En),Tn=Le(En),Sn=Oe(Tn,1);function Pn(e){return function(){return e}}function Mn(e,t,n){var r=5,o=0,i={times:r,intervalFunc:Pn(o)};if(arguments.length<3&&"function"==typeof e?(n=t||H,t=e):(!function(e,t){if("object"==typeof t)e.times=+t.times||r,e.intervalFunc="function"==typeof t.interval?t.interval:Pn(+t.interval||o),e.errorFilter=t.errorFilter;else{if("number"!=typeof t&&"string"!=typeof t)throw new Error("Invalid arguments for async.retry");e.times=+t||r}}(i,e),n=n||H),"function"!=typeof t)throw new Error("Invalid arguments for async.retry");var a=v(t),s=1;!function e(){a(function(t){t&&s++<i.times&&("function"!=typeof i.errorFilter||i.errorFilter(t))?setTimeout(e,i.intervalFunc(s)):n.apply(null,arguments)})}()}var Dn=function(e,t){t||(t=e,e=null);var n=v(t);return s(function(t,r){function o(e){n.apply(null,t.concat(e))}e?Mn(e,o,r):Mn(o,r)})};function An(e,t){bn(wt,e,t)}var Rn=Me(Dt(Boolean,Mt)),Ln=Le(Dt(Boolean,Mt)),In=Oe(Ln,1);function Fn(e,t,n){var r=v(t);function o(e,t){var n=e.criteria,r=t.criteria;return n<r?-1:n>r?1:0}Ae(e,function(e,t){r(e,function(n,r){if(n)return t(n);t(null,{value:e,criteria:r})})},function(e,t){if(e)return n(e);n(null,qe(t.sort(o),Jt("value")))})}function jn(e,t,n){var r=v(e);return s(function(o,i){var a,s=!1;o.push(function(){s||(i.apply(null,arguments),clearTimeout(a))}),a=setTimeout(function(){var t=e.name||"anonymous",r=new Error('Callback function "'+t+'" timed out.');r.code="ETIMEDOUT",n&&(r.info=n),s=!0,i(r)},t),r.apply(null,o)})}var Nn=Math.ceil,Bn=Math.max;function Un(e,t,n,r){var o=v(n);Ie(function(e,t,n,r){for(var o=-1,i=Bn(Nn((t-e)/(n||1)),0),a=Array(i);i--;)a[r?i:++o]=e,e+=n;return a}(0,e,1),t,o,r)}var Wn=Oe(Un,1/0),Hn=Oe(Un,1);function $n(e,t,n,r){arguments.length<=3&&(r=n,n=t,t=Z(e)?[]:{}),r=$(r||H);var o=v(n);Pe(e,function(e,n,r){o(t,e,n,r)},function(e){r(e,t)})}function zn(e,t){var n,r=null;t=t||H,qt(e,function(e,t){v(e)(function(e,o){n=arguments.length>2?i(arguments,1):o,r=e,t(!e)})},function(){t(r,n)})}function qn(e){return function(){return(e.unmemoized||e).apply(null,arguments)}}function Kn(e,t,n){n=ke(n||H);var r=v(t);if(!e())return n(null);var o=function(t){if(t)return n(t);if(e())return r(o);var a=i(arguments,1);n.apply(null,[null].concat(a))};r(o)}function Gn(e,t,n){Kn(function(){return!e.apply(this,arguments)},t,n)}var Vn=function(e,t){if(t=$(t||H),!Z(e))return t(new Error("First argument to waterfall must be an array of functions"));if(!e.length)return t();var n=0;function r(t){var r=v(e[n++]);t.push(ke(o)),r.apply(null,t)}function o(o){if(o||n===e.length)return t.apply(null,arguments);r(i(arguments,1))}r([])},Xn={apply:a,applyEach:Re,applyEachSeries:je,asyncify:h,auto:ze,autoInject:bt,cargo:yt,compose:Ct,concat:Tt,concatLimit:Ot,concatSeries:St,constant:Pt,detect:Rt,detectLimit:Lt,detectSeries:It,dir:jt,doDuring:Nt,doUntil:Ut,doWhilst:Bt,during:Wt,each:$t,eachLimit:zt,eachOf:Pe,eachOfLimit:Ee,eachOfSeries:wt,eachSeries:qt,ensureAsync:Kt,every:Vt,everyLimit:Xt,everySeries:Yt,filter:tn,filterLimit:nn,filterSeries:rn,forever:on,groupBy:sn,groupByLimit:an,groupBySeries:ln,log:cn,map:Ae,mapLimit:Ie,mapSeries:Fe,mapValues:pn,mapValuesLimit:un,mapValuesSeries:dn,memoize:hn,nextTick:mn,parallel:gn,parallelLimit:_n,priorityQueue:yn,queue:vn,race:wn,reduce:xt,reduceRight:xn,reflect:kn,reflectAll:Cn,reject:On,rejectLimit:Tn,rejectSeries:Sn,retry:Mn,retryable:Dn,seq:kt,series:An,setImmediate:f,some:Rn,someLimit:Ln,someSeries:In,sortBy:Fn,timeout:jn,times:Wn,timesLimit:Un,timesSeries:Hn,transform:$n,tryEach:zn,unmemoize:qn,until:Gn,waterfall:Vn,whilst:Kn,all:Vt,allLimit:Xt,allSeries:Yt,any:Rn,anyLimit:Ln,anySeries:In,find:Rt,findLimit:Lt,findSeries:It,forEach:$t,forEachSeries:qt,forEachLimit:zt,forEachOf:Pe,forEachOfSeries:wt,forEachOfLimit:Ee,inject:xt,foldl:xt,foldr:xn,select:tn,selectLimit:nn,selectSeries:rn,wrapSync:h};t.default=Xn,t.apply=a,t.applyEach=Re,t.applyEachSeries=je,t.asyncify=h,t.auto=ze,t.autoInject=bt,t.cargo=yt,t.compose=Ct,t.concat=Tt,t.concatLimit=Ot,t.concatSeries=St,t.constant=Pt,t.detect=Rt,t.detectLimit=Lt,t.detectSeries=It,t.dir=jt,t.doDuring=Nt,t.doUntil=Ut,t.doWhilst=Bt,t.during=Wt,t.each=$t,t.eachLimit=zt,t.eachOf=Pe,t.eachOfLimit=Ee,t.eachOfSeries=wt,t.eachSeries=qt,t.ensureAsync=Kt,t.every=Vt,t.everyLimit=Xt,t.everySeries=Yt,t.filter=tn,t.filterLimit=nn,t.filterSeries=rn,t.forever=on,t.groupBy=sn,t.groupByLimit=an,t.groupBySeries=ln,t.log=cn,t.map=Ae,t.mapLimit=Ie,t.mapSeries=Fe,t.mapValues=pn,t.mapValuesLimit=un,t.mapValuesSeries=dn,t.memoize=hn,t.nextTick=mn,t.parallel=gn,t.parallelLimit=_n,t.priorityQueue=yn,t.queue=vn,t.race=wn,t.reduce=xt,t.reduceRight=xn,t.reflect=kn,t.reflectAll=Cn,t.reject=On,t.rejectLimit=Tn,t.rejectSeries=Sn,t.retry=Mn,t.retryable=Dn,t.seq=kt,t.series=An,t.setImmediate=f,t.some=Rn,t.someLimit=Ln,t.someSeries=In,t.sortBy=Fn,t.timeout=jn,t.times=Wn,t.timesLimit=Un,t.timesSeries=Hn,t.transform=$n,t.tryEach=zn,t.unmemoize=qn,t.until=Gn,t.waterfall=Vn,t.whilst=Kn,t.all=Vt,t.allLimit=Xt,t.allSeries=Yt,t.any=Rn,t.anyLimit=Ln,t.anySeries=In,t.find=Rt,t.findLimit=Lt,t.findSeries=It,t.forEach=$t,t.forEachSeries=qt,t.forEachLimit=zt,t.forEachOf=Pe,t.forEachOfSeries=wt,t.forEachOfLimit=Ee,t.inject=xt,t.foldl=xt,t.foldr=xn,t.select=tn,t.selectLimit=nn,t.selectSeries=rn,t.wrapSync=h,Object.defineProperty(t,"__esModule",{value:!0})})(t)}).call(this,n(491).setImmediate,n(143),n(28),n(54)(e))},3020:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=a(n(123)),o=n(2002),i=a(n(3021));function a(e){return e&&e.__esModule?e:{default:e}}function s(e,t){return e.replace(/{([^{}]*)}/g,function(e,n){var r=t[n];return"string"==typeof r||"number"==typeof r?r:e})}function l(e,t,n){return s('<div class="alert alert-{status} alert-dismissable"> <button type="button" class="close" data-dismiss="alert" aria-hidden="true">&times;</button> <strong>{name}</strong> upload {outcome} </div>',{name:e,status:t,outcome:n})}function c(e){var t=e.serverUrl,n=e.file,r=e.uploads,o=e.callback,i=e.showConflictModal;return this.callback=o,this.uploads=r,this.showConflictModal=i,this.file=n,this.size=n.size,this.uid=n.uid,this.upload_path=n.upload_path,this.name=this.file.path||this.file.webkitRelativePath||this.file.name,this.file.slice=n.slice||n.webkitSlice||n.mozSlice,this.url=t+"/upload?upload_uid="+this.uid+"&upload_path="+encodeURIComponent(this.upload_path)+"&file_path="+encodeURIComponent(this.name),this.errorCount=0,this.currentChunk=1,this.chunk_size=768e3,this.chunkRange=0==this.size?[0,0]:function(e,t){for(var n=[],r=Math.floor(e/t),o=0;o<=r;o++)n.push(o*t);e/t%1&&n.push(e);return n}(this.size,this.chunk_size),this.reset(),this.begin()}function u(e){var t=document.getElementById(e.uid+"-row"),n=document.getElementById("upload_alerts");return e.is_cancelled=!0,n.innerHTML+=l(e.name?e.name:"","danger","experienced an error while trying to upload."),!!t&&t.parentNode.removeChild(t)}function p(){var e=document.getElementById(this.upload.uid+"-row"),t=document.getElementById("upload_alerts");return this.is_cancelled=!0,t.innerHTML+=l(this.file.name,"warning","has been canceled or your browser has dropped the connection."),e.parentNode.removeChild(e)}c.prototype._setRangeStartEnd=function(e){this.range_start=this.chunkRange[e-1],this.range_end=this.chunkRange[e]},c.prototype.reset=function(){this.checksum=i.default.algo.SHA1.create(),this.errorCount=0,this.currentChunk=1,this._setRangeStartEnd(this.currentChunk),this.is_paused=!1,this.is_started=!0,this.updateStats()},c.prototype.begin=function(){this.request=new XMLHttpRequest,this.request.upload.uid=this.uid,this.request.withCredentials=!0;var e=this.uploads;this.request.addEventListener("load",function(t){return function(e,t){var n=t.target.status,r=JSON.parse(t.target.responseText),o=e[this.upload.uid];if(!o)return;"failure"===r.status&&409===n&&(r.status="conflict");switch(r.status){case"success":o.errorCount=0,o.continue(r["file-hash"]);break;case"conflict":o.showConflictModal(function(){o.cancel()},{fileName:o.name});break;case"failure":o.errorCount++,console.warn("Hash mismatch in file: "+o.name+" on chunk "+r.chunkNumber+" of "+r.expectedChunks+".Attempt "+o.errorCount+" of 10."),o.errorCount>9?(u(o),console.error("Hash mismatch in file: "+o.name+" on chunk "+r.chunkNumber+" of "+r.expectedChunks+".After 10 consecutive retries, cancelling upload.")):o._upload(r.chunkNumber);break;case"error":u(o)}return o.updateStats()}.call(this,e,t)},!1),this.request.addEventListener("error",u,!1),this.request.addEventListener("abort",p,!1),this._upload(this.currentChunk)},c.prototype.restart=function(){this.reset(),this._upload(this.currentChunk)},c.prototype.getChunk=function(e){return this._setRangeStartEnd(e),this.file.slice(this.range_start,this.range_end)},c.prototype._upload=function(e){var t=this.getChunk(e);this.request.open("POST",this.url,!0),this.setHeaders(t.size,e),this.send(t)},c.prototype.setHeaders=function(e,t){this.file.type&&this.request.setRequestHeader("Content-Type",this.file.type),this.request.setRequestHeader("Content-Range","bytes "+this.range_start+"-"+this.range_end+"/"+this.size),this.request.setRequestHeader("Chunk-Total",this.chunkRange.length-1<1?1:this.chunkRange.length-1),this.request.setRequestHeader("Chunk-Size",e),this.request.setRequestHeader("Chunk-Number",t),this.request.setRequestHeader("X-Overwrite-Mode","skip")},c.prototype.send=function(e){var t=this,n=new FileReader;n.readAsArrayBuffer(e),n.onloadend=function(e){if(e.target.readyState==FileReader.DONE)try{var n=new Uint8Array(e.target.result),r=i.default.lib.WordArray.create(n),o=i.default.SHA1(r).toString();t.checksum.update(r),t.currentChunk==t.chunkRange.length-1&&(t.checksum=t.checksum.finalize().toString(),t.request.setRequestHeader("File-Hash",t.checksum)),t.request.setRequestHeader("Chunk-Hash",o),~window.navigator.userAgent.indexOf("Chrome")?t.request.send(n):t.request.send(e.target.result)}catch(e){t.cancel("danger","experienced "+e)}}},c.prototype.pause=function(){var e=document.getElementById(this.uid+"-pbar");e.className="progress-bar progress-bar-warning",e.parentNode.className="progress",document.getElementById(this.uid+"-resume").style.display="",document.getElementById(this.uid+"-pause").style.display="none",this.is_paused=!0},c.prototype.resume=function(){var e=document.getElementById(this.uid+"-pbar");if(e.className="progress-bar",e.parentNode.className="progress progress-striped active",document.getElementById(this.uid+"-pause").style.display="",document.getElementById(this.uid+"-resume").style.display="none",this.is_paused=!1,this.currentChunk<this.chunkRange.length)return this._upload(this.currentChunk)},c.prototype.cancel=function(){var e=document.getElementById(this.file.uid+"-row");return delete this.uploads[this.uid],this.is_cancelled=!0,e.parentNode.removeChild(e),this.callback()},c.prototype.continue=function(e){if(this.currentChunk++,this.currentChunk<this.chunkRange.length&&!this.is_paused&&!this.is_cancelled&&this._upload(this.currentChunk),this.currentChunk==this.chunkRange.length){if(e===this.checksum)return this.callback(),delete this.uploads[this.uid];this.cancel("danger","experienced an error on the server. Please retry uploading.")}},c.prototype.updateStats=function(){var e=document.getElementById(this.uid+"-row"),t=Math.round(100*this.chunkRange[this.currentChunk-1]/this.chunkRange[this.chunkRange.length-1]);if(0==this.size&&(t=100),e&&1==this.currentChunk)e.innerHTML=function(e,t,n,r){return s(' <div class="actions"> <span class="filename">{name}</span> </div> <div class="progressbar"> <div class="progress progress-striped active"> <div id="{uid}-pbar" class="progress-bar" style="width: {percent}%"> <span class="sr-only">{percent}% Complete</span> </div> </div> </div>',{uid:e,name:t,size:n,percent:r})}(this.uid,this.name,(0,o.formatBytes)(this.size),t);else try{(0,r.default)("#"+this.uid+"-pbar").css("width",t+"%").attr("aria-valuenow",t),document.getElementById(this.uid+"-%").innerHTML=t}catch(e){}this.is_paused&&this.pause(),100==t&&e?e.parentNode.removeChild(e):e&&e.classList.remove("hidden")},t.default=c},3021:function(e,t,n){var r;e.exports=(r=n(1628),n(1762),n(3022),n(3023),n(1691),n(1692),n(1836),n(2003),n(3024),n(2004),n(3025),n(3026),n(3027),n(1837),n(3028),n(1693),n(1633),n(3029),n(3030),n(3031),n(3032),n(3033),n(3034),n(3035),n(3036),n(3037),n(3038),n(3039),n(3040),n(3041),n(3042),n(3043),n(3044),r)},3022:function(e,t,n){var r;e.exports=(r=n(1628),function(){if("function"==typeof ArrayBuffer){var e=r.lib.WordArray,t=e.init;(e.init=function(e){if(e instanceof ArrayBuffer&&(e=new Uint8Array(e)),(e instanceof Int8Array||"undefined"!=typeof Uint8ClampedArray&&e instanceof Uint8ClampedArray||e instanceof Int16Array||e instanceof Uint16Array||e instanceof Int32Array||e instanceof Uint32Array||e instanceof Float32Array||e instanceof Float64Array)&&(e=new Uint8Array(e.buffer,e.byteOffset,e.byteLength)),e instanceof Uint8Array){for(var n=e.byteLength,r=[],o=0;o<n;o++)r[o>>>2]|=e[o]<<24-o%4*8;t.call(this,r,n)}else t.apply(this,arguments)}).prototype=e}}(),r.lib.WordArray)},3023:function(e,t,n){var r;e.exports=(r=n(1628),function(){var e=r,t=e.lib.WordArray,n=e.enc;function o(e){return e<<8&4278255360|e>>>8&16711935}n.Utf16=n.Utf16BE={stringify:function(e){for(var t=e.words,n=e.sigBytes,r=[],o=0;o<n;o+=2){var i=t[o>>>2]>>>16-o%4*8&65535;r.push(String.fromCharCode(i))}return r.join("")},parse:function(e){for(var n=e.length,r=[],o=0;o<n;o++)r[o>>>1]|=e.charCodeAt(o)<<16-o%2*16;return t.create(r,2*n)}},n.Utf16LE={stringify:function(e){for(var t=e.words,n=e.sigBytes,r=[],i=0;i<n;i+=2){var a=o(t[i>>>2]>>>16-i%4*8&65535);r.push(String.fromCharCode(a))}return r.join("")},parse:function(e){for(var n=e.length,r=[],i=0;i<n;i++)r[i>>>1]|=o(e.charCodeAt(i)<<16-i%2*16);return t.create(r,2*n)}}}(),r.enc.Utf16)},3024:function(e,t,n){var r,o,i,a,s,l;e.exports=(r=n(1628),n(2003),i=(o=r).lib.WordArray,a=o.algo,s=a.SHA256,l=a.SHA224=s.extend({_doReset:function(){this._hash=new i.init([3238371032,914150663,812702999,4144912697,4290775857,1750603025,1694076839,3204075428])},_doFinalize:function(){var e=s._doFinalize.call(this);return e.sigBytes-=4,e}}),o.SHA224=s._createHelper(l),o.HmacSHA224=s._createHmacHelper(l),r.SHA224)},3025:function(e,t,n){var r,o,i,a,s,l,c,u;e.exports=(r=n(1628),n(1762),n(2004),i=(o=r).x64,a=i.Word,s=i.WordArray,l=o.algo,c=l.SHA512,u=l.SHA384=c.extend({_doReset:function(){this._hash=new s.init([new a.init(3418070365,3238371032),new a.init(1654270250,914150663),new a.init(2438529370,812702999),new a.init(355462360,4144912697),new a.init(1731405415,4290775857),new a.init(2394180231,1750603025),new a.init(3675008525,1694076839),new a.init(1203062813,3204075428)])},_doFinalize:function(){var e=c._doFinalize.call(this);return e.sigBytes-=16,e}}),o.SHA384=c._createHelper(u),o.HmacSHA384=c._createHmacHelper(u),r.SHA384)},3026:function(e,t,n){var r;e.exports=(r=n(1628),n(1762),function(e){var t=r,n=t.lib,o=n.WordArray,i=n.Hasher,a=t.x64.Word,s=t.algo,l=[],c=[],u=[];!function(){for(var e=1,t=0,n=0;n<24;n++){l[e+5*t]=(n+1)*(n+2)/2%64;var r=(2*e+3*t)%5;e=t%5,t=r}for(e=0;e<5;e++)for(t=0;t<5;t++)c[e+5*t]=t+(2*e+3*t)%5*5;for(var o=1,i=0;i<24;i++){for(var s=0,p=0,d=0;d<7;d++){if(1&o){var f=(1<<d)-1;f<32?p^=1<<f:s^=1<<f-32}128&o?o=o<<1^113:o<<=1}u[i]=a.create(s,p)}}();var p=[];!function(){for(var e=0;e<25;e++)p[e]=a.create()}();var d=s.SHA3=i.extend({cfg:i.cfg.extend({outputLength:512}),_doReset:function(){for(var e=this._state=[],t=0;t<25;t++)e[t]=new a.init;this.blockSize=(1600-2*this.cfg.outputLength)/32},_doProcessBlock:function(e,t){for(var n=this._state,r=this.blockSize/2,o=0;o<r;o++){var i=e[t+2*o],a=e[t+2*o+1];i=16711935&(i<<8|i>>>24)|4278255360&(i<<24|i>>>8),a=16711935&(a<<8|a>>>24)|4278255360&(a<<24|a>>>8),(S=n[o]).high^=a,S.low^=i}for(var s=0;s<24;s++){for(var d=0;d<5;d++){for(var f=0,h=0,m=0;m<5;m++)f^=(S=n[d+5*m]).high,h^=S.low;var b=p[d];b.high=f,b.low=h}for(d=0;d<5;d++){var g=p[(d+4)%5],_=p[(d+1)%5],v=_.high,y=_.low;for(f=g.high^(v<<1|y>>>31),h=g.low^(y<<1|v>>>31),m=0;m<5;m++)(S=n[d+5*m]).high^=f,S.low^=h}for(var w=1;w<25;w++){var x=(S=n[w]).high,k=S.low,C=l[w];C<32?(f=x<<C|k>>>32-C,h=k<<C|x>>>32-C):(f=k<<C-32|x>>>64-C,h=x<<C-32|k>>>64-C);var E=p[c[w]];E.high=f,E.low=h}var O=p[0],T=n[0];for(O.high=T.high,O.low=T.low,d=0;d<5;d++)for(m=0;m<5;m++){var S=n[w=d+5*m],P=p[w],M=p[(d+1)%5+5*m],D=p[(d+2)%5+5*m];S.high=P.high^~M.high&D.high,S.low=P.low^~M.low&D.low}S=n[0];var A=u[s];S.high^=A.high,S.low^=A.low}},_doFinalize:function(){var t=this._data,n=t.words,r=(this._nDataBytes,8*t.sigBytes),i=32*this.blockSize;n[r>>>5]|=1<<24-r%32,n[(e.ceil((r+1)/i)*i>>>5)-1]|=128,t.sigBytes=4*n.length,this._process();for(var a=this._state,s=this.cfg.outputLength/8,l=s/8,c=[],u=0;u<l;u++){var p=a[u],d=p.high,f=p.low;d=16711935&(d<<8|d>>>24)|4278255360&(d<<24|d>>>8),f=16711935&(f<<8|f>>>24)|4278255360&(f<<24|f>>>8),c.push(f),c.push(d)}return new o.init(c,s)},clone:function(){for(var e=i.clone.call(this),t=e._state=this._state.slice(0),n=0;n<25;n++)t[n]=t[n].clone();return e}});t.SHA3=i._createHelper(d),t.HmacSHA3=i._createHmacHelper(d)}(Math),r.SHA3)},3027:function(e,t,n){var r;e.exports=(r=n(1628), /** @preserve (c) 2012 by Cédric Mesnil. All rights reserved. Redistribution and use in source and binary forms, with or without modification, are permitted provided that the following conditions are met: - Redistributions of source code must retain the above copyright notice, this list of conditions and the following disclaimer. - Redistributions in binary form must reproduce the above copyright notice, this list of conditions and the following disclaimer in the documentation and/or other materials provided with the distribution. THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS 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. */ function(e){var t=r,n=t.lib,o=n.WordArray,i=n.Hasher,a=t.algo,s=o.create([0,1,2,3,4,5,6,7,8,9,10,11,12,13,14,15,7,4,13,1,10,6,15,3,12,0,9,5,2,14,11,8,3,10,14,4,9,15,8,1,2,7,0,6,13,11,5,12,1,9,11,10,0,8,12,4,13,3,7,15,14,5,6,2,4,0,5,9,7,12,2,10,14,1,3,8,11,6,15,13]),l=o.create([5,14,7,0,9,2,11,4,13,6,15,8,1,10,3,12,6,11,3,7,0,13,5,10,14,15,8,12,4,9,1,2,15,5,1,3,7,14,6,9,11,8,12,2,10,0,4,13,8,6,4,1,3,11,15,0,5,12,2,13,9,7,10,14,12,15,10,4,1,5,8,7,6,2,13,14,0,3,9,11]),c=o.create([11,14,15,12,5,8,7,9,11,13,14,15,6,7,9,8,7,6,8,13,11,9,7,15,7,12,15,9,11,7,13,12,11,13,6,7,14,9,13,15,14,8,13,6,5,12,7,5,11,12,14,15,14,15,9,8,9,14,5,6,8,6,5,12,9,15,5,11,6,8,13,12,5,12,13,14,11,8,5,6]),u=o.create([8,9,9,11,13,15,15,5,7,7,8,11,14,14,12,6,9,13,15,7,12,8,9,11,7,7,12,7,6,15,13,11,9,7,15,11,8,6,6,14,12,13,5,14,13,13,7,5,15,5,8,11,14,14,6,14,6,9,12,9,12,5,15,8,8,5,12,9,12,5,14,6,8,13,6,5,15,13,11,11]),p=o.create([0,1518500249,1859775393,2400959708,2840853838]),d=o.create([1352829926,1548603684,1836072691,2053994217,0]),f=a.RIPEMD160=i.extend({_doReset:function(){this._hash=o.create([1732584193,4023233417,2562383102,271733878,3285377520])},_doProcessBlock:function(e,t){for(var n=0;n<16;n++){var r=t+n,o=e[r];e[r]=16711935&(o<<8|o>>>24)|4278255360&(o<<24|o>>>8)}var i,a,f,y,w,x,k,C,E,O,T,S=this._hash.words,P=p.words,M=d.words,D=s.words,A=l.words,R=c.words,L=u.words;for(x=i=S[0],k=a=S[1],C=f=S[2],E=y=S[3],O=w=S[4],n=0;n<80;n+=1)T=i+e[t+D[n]]|0,T+=n<16?h(a,f,y)+P[0]:n<32?m(a,f,y)+P[1]:n<48?b(a,f,y)+P[2]:n<64?g(a,f,y)+P[3]:_(a,f,y)+P[4],T=(T=v(T|=0,R[n]))+w|0,i=w,w=y,y=v(f,10),f=a,a=T,T=x+e[t+A[n]]|0,T+=n<16?_(k,C,E)+M[0]:n<32?g(k,C,E)+M[1]:n<48?b(k,C,E)+M[2]:n<64?m(k,C,E)+M[3]:h(k,C,E)+M[4],T=(T=v(T|=0,L[n]))+O|0,x=O,O=E,E=v(C,10),C=k,k=T;T=S[1]+f+E|0,S[1]=S[2]+y+O|0,S[2]=S[3]+w+x|0,S[3]=S[4]+i+k|0,S[4]=S[0]+a+C|0,S[0]=T},_doFinalize:function(){var e=this._data,t=e.words,n=8*this._nDataBytes,r=8*e.sigBytes;t[r>>>5]|=128<<24-r%32,t[14+(r+64>>>9<<4)]=16711935&(n<<8|n>>>24)|4278255360&(n<<24|n>>>8),e.sigBytes=4*(t.length+1),this._process();for(var o=this._hash,i=o.words,a=0;a<5;a++){var s=i[a];i[a]=16711935&(s<<8|s>>>24)|4278255360&(s<<24|s>>>8)}return o},clone:function(){var e=i.clone.call(this);return e._hash=this._hash.clone(),e}});function h(e,t,n){return e^t^n}function m(e,t,n){return e&t|~e&n}function b(e,t,n){return(e|~t)^n}function g(e,t,n){return e&n|t&~n}function _(e,t,n){return e^(t|~n)}function v(e,t){return e<<t|e>>>32-t}t.RIPEMD160=i._createHelper(f),t.HmacRIPEMD160=i._createHmacHelper(f)}(Math),r.RIPEMD160)},3028:function(e,t,n){var r,o,i,a,s,l,c,u,p;e.exports=(r=n(1628),n(1836),n(1837),i=(o=r).lib,a=i.Base,s=i.WordArray,l=o.algo,c=l.SHA1,u=l.HMAC,p=l.PBKDF2=a.extend({cfg:a.extend({keySize:4,hasher:c,iterations:1}),init:function(e){this.cfg=this.cfg.extend(e)},compute:function(e,t){for(var n=this.cfg,r=u.create(n.hasher,e),o=s.create(),i=s.create([1]),a=o.words,l=i.words,c=n.keySize,p=n.iterations;a.length<c;){var d=r.update(t).finalize(i);r.reset();for(var f=d.words,h=f.length,m=d,b=1;b<p;b++){m=r.finalize(m),r.reset();for(var g=m.words,_=0;_<h;_++)f[_]^=g[_]}o.concat(d),l[0]++}return o.sigBytes=4*c,o}}),o.PBKDF2=function(e,t,n){return p.create(n).compute(e,t)},r.PBKDF2)},3029:function(e,t,n){var r;e.exports=(r=n(1628),n(1633),r.mode.CFB=function(){var e=r.lib.BlockCipherMode.extend();function t(e,t,n,r){var o=this._iv;if(o){var i=o.slice(0);this._iv=void 0}else i=this._prevBlock;r.encryptBlock(i,0);for(var a=0;a<n;a++)e[t+a]^=i[a]}return e.Encryptor=e.extend({processBlock:function(e,n){var r=this._cipher,o=r.blockSize;t.call(this,e,n,o,r),this._prevBlock=e.slice(n,n+o)}}),e.Decryptor=e.extend({processBlock:function(e,n){var r=this._cipher,o=r.blockSize,i=e.slice(n,n+o);t.call(this,e,n,o,r),this._prevBlock=i}}),e}(),r.mode.CFB)},3030:function(e,t,n){var r,o,i;e.exports=(r=n(1628),n(1633),r.mode.CTR=(o=r.lib.BlockCipherMode.extend(),i=o.Encryptor=o.extend({processBlock:function(e,t){var n=this._cipher,r=n.blockSize,o=this._iv,i=this._counter;o&&(i=this._counter=o.slice(0),this._iv=void 0);var a=i.slice(0);n.encryptBlock(a,0),i[r-1]=i[r-1]+1|0;for(var s=0;s<r;s++)e[t+s]^=a[s]}}),o.Decryptor=i,o),r.mode.CTR)},3031:function(e,t,n){var r;e.exports=(r=n(1628),n(1633), /** @preserve * Counter block mode compatible with Dr Brian Gladman fileenc.c * derived from CryptoJS.mode.CTR * Jan Hruby jhruby.web@gmail.com */ r.mode.CTRGladman=function(){var e=r.lib.BlockCipherMode.extend();function t(e){if(255==(e>>24&255)){var t=e>>16&255,n=e>>8&255,r=255&e;255===t?(t=0,255===n?(n=0,255===r?r=0:++r):++n):++t,e=0,e+=t<<16,e+=n<<8,e+=r}else e+=1<<24;return e}var n=e.Encryptor=e.extend({processBlock:function(e,n){var r=this._cipher,o=r.blockSize,i=this._iv,a=this._counter;i&&(a=this._counter=i.slice(0),this._iv=void 0),function(e){0===(e[0]=t(e[0]))&&(e[1]=t(e[1]))}(a);var s=a.slice(0);r.encryptBlock(s,0);for(var l=0;l<o;l++)e[n+l]^=s[l]}});return e.Decryptor=n,e}(),r.mode.CTRGladman)},3032:function(e,t,n){var r,o,i;e.exports=(r=n(1628),n(1633),r.mode.OFB=(o=r.lib.BlockCipherMode.extend(),i=o.Encryptor=o.extend({processBlock:function(e,t){var n=this._cipher,r=n.blockSize,o=this._iv,i=this._keystream;o&&(i=this._keystream=o.slice(0),this._iv=void 0),n.encryptBlock(i,0);for(var a=0;a<r;a++)e[t+a]^=i[a]}}),o.Decryptor=i,o),r.mode.OFB)},3033:function(e,t,n){var r,o;e.exports=(r=n(1628),n(1633),r.mode.ECB=((o=r.lib.BlockCipherMode.extend()).Encryptor=o.extend({processBlock:function(e,t){this._cipher.encryptBlock(e,t)}}),o.Decryptor=o.extend({processBlock:function(e,t){this._cipher.decryptBlock(e,t)}}),o),r.mode.ECB)},3034:function(e,t,n){var r;e.exports=(r=n(1628),n(1633),r.pad.AnsiX923={pad:function(e,t){var n=e.sigBytes,r=4*t,o=r-n%r,i=n+o-1;e.clamp(),e.words[i>>>2]|=o<<24-i%4*8,e.sigBytes+=o},unpad:function(e){var t=255&e.words[e.sigBytes-1>>>2];e.sigBytes-=t}},r.pad.Ansix923)},3035:function(e,t,n){var r;e.exports=(r=n(1628),n(1633),r.pad.Iso10126={pad:function(e,t){var n=4*t,o=n-e.sigBytes%n;e.concat(r.lib.WordArray.random(o-1)).concat(r.lib.WordArray.create([o<<24],1))},unpad:function(e){var t=255&e.words[e.sigBytes-1>>>2];e.sigBytes-=t}},r.pad.Iso10126)},3036:function(e,t,n){var r;e.exports=(r=n(1628),n(1633),r.pad.Iso97971={pad:function(e,t){e.concat(r.lib.WordArray.create([2147483648],1)),r.pad.ZeroPadding.pad(e,t)},unpad:function(e){r.pad.ZeroPadding.unpad(e),e.sigBytes--}},r.pad.Iso97971)},3037:function(e,t,n){var r;e.exports=(r=n(1628),n(1633),r.pad.ZeroPadding={pad:function(e,t){var n=4*t;e.clamp(),e.sigBytes+=n-(e.sigBytes%n||n)},unpad:function(e){for(var t=e.words,n=e.sigBytes-1;!(t[n>>>2]>>>24-n%4*8&255);)n--;e.sigBytes=n+1}},r.pad.ZeroPadding)},3038:function(e,t,n){var r;e.exports=(r=n(1628),n(1633),r.pad.NoPadding={pad:function(){},unpad:function(){}},r.pad.NoPadding)},3039:function(e,t,n){var r,o,i,a;e.exports=(r=n(1628),n(1633),i=(o=r).lib.CipherParams,a=o.enc.Hex,o.format.Hex={stringify:function(e){return e.ciphertext.toString(a)},parse:function(e){var t=a.parse(e);return i.create({ciphertext:t})}},r.format.Hex)},3040:function(e,t,n){var r;e.exports=(r=n(1628),n(1691),n(1692),n(1693),n(1633),function(){var e=r,t=e.lib.BlockCipher,n=e.algo,o=[],i=[],a=[],s=[],l=[],c=[],u=[],p=[],d=[],f=[];!function(){for(var e=[],t=0;t<256;t++)e[t]=t<128?t<<1:t<<1^283;var n=0,r=0;for(t=0;t<256;t++){var h=r^r<<1^r<<2^r<<3^r<<4;h=h>>>8^255&h^99,o[n]=h,i[h]=n;var m=e[n],b=e[m],g=e[b],_=257*e[h]^16843008*h;a[n]=_<<24|_>>>8,s[n]=_<<16|_>>>16,l[n]=_<<8|_>>>24,c[n]=_,_=16843009*g^65537*b^257*m^16843008*n,u[h]=_<<24|_>>>8,p[h]=_<<16|_>>>16,d[h]=_<<8|_>>>24,f[h]=_,n?(n=m^e[e[e[g^m]]],r^=e[e[r]]):n=r=1}}();var h=[0,1,2,4,8,16,32,64,128,27,54],m=n.AES=t.extend({_doReset:function(){if(!this._nRounds||this._keyPriorReset!==this._key){for(var e=this._keyPriorReset=this._key,t=e.words,n=e.sigBytes/4,r=4*((this._nRounds=n+6)+1),i=this._keySchedule=[],a=0;a<r;a++)if(a<n)i[a]=t[a];else{var s=i[a-1];a%n?n>6&&a%n==4&&(s=o[s>>>24]<<24|o[s>>>16&255]<<16|o[s>>>8&255]<<8|o[255&s]):(s=o[(s=s<<8|s>>>24)>>>24]<<24|o[s>>>16&255]<<16|o[s>>>8&255]<<8|o[255&s],s^=h[a/n|0]<<24),i[a]=i[a-n]^s}for(var l=this._invKeySchedule=[],c=0;c<r;c++)a=r-c,s=c%4?i[a]:i[a-4],l[c]=c<4||a<=4?s:u[o[s>>>24]]^p[o[s>>>16&255]]^d[o[s>>>8&255]]^f[o[255&s]]}},encryptBlock:function(e,t){this._doCryptBlock(e,t,this._keySchedule,a,s,l,c,o)},decryptBlock:function(e,t){var n=e[t+1];e[t+1]=e[t+3],e[t+3]=n,this._doCryptBlock(e,t,this._invKeySchedule,u,p,d,f,i),n=e[t+1],e[t+1]=e[t+3],e[t+3]=n},_doCryptBlock:function(e,t,n,r,o,i,a,s){for(var l=this._nRounds,c=e[t]^n[0],u=e[t+1]^n[1],p=e[t+2]^n[2],d=e[t+3]^n[3],f=4,h=1;h<l;h++){var m=r[c>>>24]^o[u>>>16&255]^i[p>>>8&255]^a[255&d]^n[f++],b=r[u>>>24]^o[p>>>16&255]^i[d>>>8&255]^a[255&c]^n[f++],g=r[p>>>24]^o[d>>>16&255]^i[c>>>8&255]^a[255&u]^n[f++],_=r[d>>>24]^o[c>>>16&255]^i[u>>>8&255]^a[255&p]^n[f++];c=m,u=b,p=g,d=_}m=(s[c>>>24]<<24|s[u>>>16&255]<<16|s[p>>>8&255]<<8|s[255&d])^n[f++],b=(s[u>>>24]<<24|s[p>>>16&255]<<16|s[d>>>8&255]<<8|s[255&c])^n[f++],g=(s[p>>>24]<<24|s[d>>>16&255]<<16|s[c>>>8&255]<<8|s[255&u])^n[f++],_=(s[d>>>24]<<24|s[c>>>16&255]<<16|s[u>>>8&255]<<8|s[255&p])^n[f++],e[t]=m,e[t+1]=b,e[t+2]=g,e[t+3]=_},keySize:8});e.AES=t._createHelper(m)}(),r.AES)},3041:function(e,t,n){var r;e.exports=(r=n(1628),n(1691),n(1692),n(1693),n(1633),function(){var e=r,t=e.lib,n=t.WordArray,o=t.BlockCipher,i=e.algo,a=[57,49,41,33,25,17,9,1,58,50,42,34,26,18,10,2,59,51,43,35,27,19,11,3,60,52,44,36,63,55,47,39,31,23,15,7,62,54,46,38,30,22,14,6,61,53,45,37,29,21,13,5,28,20,12,4],s=[14,17,11,24,1,5,3,28,15,6,21,10,23,19,12,4,26,8,16,7,27,20,13,2,41,52,31,37,47,55,30,40,51,45,33,48,44,49,39,56,34,53,46,42,50,36,29,32],l=[1,2,4,6,8,10,12,14,15,17,19,21,23,25,27,28],c=[{0:8421888,268435456:32768,536870912:8421378,805306368:2,1073741824:512,1342177280:8421890,1610612736:8389122,1879048192:8388608,2147483648:514,2415919104:8389120,2684354560:33280,2952790016:8421376,3221225472:32770,3489660928:8388610,3758096384:0,4026531840:33282,134217728:0,402653184:8421890,671088640:33282,939524096:32768,1207959552:8421888,1476395008:512,1744830464:8421378,2013265920:2,2281701376:8389120,2550136832:33280,2818572288:8421376,3087007744:8389122,3355443200:8388610,3623878656:32770,3892314112:514,4160749568:8388608,1:32768,268435457:2,536870913:8421888,805306369:8388608,1073741825:8421378,1342177281:33280,1610612737:512,1879048193:8389122,2147483649:8421890,2415919105:8421376,2684354561:8388610,2952790017:33282,3221225473:514,3489660929:8389120,3758096385:32770,4026531841:0,134217729:8421890,402653185:8421376,671088641:8388608,939524097:512,1207959553:32768,1476395009:8388610,1744830465:2,2013265921:33282,2281701377:32770,2550136833:8389122,2818572289:514,3087007745:8421888,3355443201:8389120,3623878657:0,3892314113:33280,4160749569:8421378},{0:1074282512,16777216:16384,33554432:524288,50331648:1074266128,67108864:1073741840,83886080:1074282496,100663296:1073758208,117440512:16,134217728:540672,150994944:1073758224,167772160:1073741824,184549376:540688,201326592:524304,218103808:0,234881024:16400,251658240:1074266112,8388608:1073758208,25165824:540688,41943040:16,58720256:1073758224,75497472:1074282512,92274688:1073741824,109051904:524288,125829120:1074266128,142606336:524304,159383552:0,176160768:16384,192937984:1074266112,209715200:1073741840,226492416:540672,243269632:1074282496,260046848:16400,268435456:0,285212672:1074266128,301989888:1073758224,318767104:1074282496,335544320:1074266112,352321536:16,369098752:540688,385875968:16384,402653184:16400,419430400:524288,436207616:524304,452984832:1073741840,469762048:540672,486539264:1073758208,503316480:1073741824,520093696:1074282512,276824064:540688,293601280:524288,310378496:1074266112,327155712:16384,343932928:1073758208,360710144:1074282512,377487360:16,394264576:1073741824,411041792:1074282496,427819008:1073741840,444596224:1073758224,461373440:524304,478150656:0,494927872:16400,511705088:1074266128,528482304:540672},{0:260,1048576:0,2097152:67109120,3145728:65796,4194304:65540,5242880:67108868,6291456:67174660,7340032:67174400,8388608:67108864,9437184:67174656,10485760:65792,11534336:67174404,12582912:67109124,13631488:65536,14680064:4,15728640:256,524288:67174656,1572864:67174404,2621440:0,3670016:67109120,4718592:67108868,5767168:65536,6815744:65540,7864320:260,8912896:4,9961472:256,11010048:67174400,12058624:65796,13107200:65792,14155776:67109124,15204352:67174660,16252928:67108864,16777216:67174656,17825792:65540,18874368:65536,19922944:67109120,20971520:256,22020096:67174660,23068672:67108868,24117248:0,25165824:67109124,26214400:67108864,27262976:4,28311552:65792,29360128:67174400,30408704:260,31457280:65796,32505856:67174404,17301504:67108864,18350080:260,19398656:67174656,20447232:0,21495808:65540,22544384:67109120,23592960:256,24641536:67174404,25690112:65536,26738688:67174660,27787264:65796,28835840:67108868,29884416:67109124,30932992:67174400,31981568:4,33030144:65792},{0:2151682048,65536:2147487808,131072:4198464,196608:2151677952,262144:0,327680:4198400,393216:2147483712,458752:4194368,524288:2147483648,589824:4194304,655360:64,720896:2147487744,786432:2151678016,851968:4160,917504:4096,983040:2151682112,32768:2147487808,98304:64,163840:2151678016,229376:2147487744,294912:4198400,360448:2151682112,425984:0,491520:2151677952,557056:4096,622592:2151682048,688128:4194304,753664:4160,819200:2147483648,884736:4194368,950272:4198464,1015808:2147483712,1048576:4194368,1114112:4198400,1179648:2147483712,1245184:0,1310720:4160,1376256:2151678016,1441792:2151682048,1507328:2147487808,1572864:2151682112,1638400:2147483648,1703936:2151677952,1769472:4198464,1835008:2147487744,1900544:4194304,1966080:64,2031616:4096,1081344:2151677952,1146880:2151682112,1212416:0,1277952:4198400,1343488:4194368,1409024:2147483648,1474560:2147487808,1540096:64,1605632:2147483712,1671168:4096,1736704:2147487744,1802240:2151678016,1867776:4160,1933312:2151682048,1998848:4194304,2064384:4198464},{0:128,4096:17039360,8192:262144,12288:536870912,16384:537133184,20480:16777344,24576:553648256,28672:262272,32768:16777216,36864:537133056,40960:536871040,45056:553910400,49152:553910272,53248:0,57344:17039488,61440:553648128,2048:17039488,6144:553648256,10240:128,14336:17039360,18432:262144,22528:537133184,26624:553910272,30720:536870912,34816:537133056,38912:0,43008:553910400,47104:16777344,51200:536871040,55296:553648128,59392:16777216,63488:262272,65536:262144,69632:128,73728:536870912,77824:553648256,81920:16777344,86016:553910272,90112:537133184,94208:16777216,98304:553910400,102400:553648128,106496:17039360,110592:537133056,114688:262272,118784:536871040,122880:0,126976:17039488,67584:553648256,71680:16777216,75776:17039360,79872:537133184,83968:536870912,88064:17039488,92160:128,96256:553910272,100352:262272,104448:553910400,108544:0,112640:553648128,116736:16777344,120832:262144,124928:537133056,129024:536871040},{0:268435464,256:8192,512:270532608,768:270540808,1024:268443648,1280:2097152,1536:2097160,1792:268435456,2048:0,2304:268443656,2560:2105344,2816:8,3072:270532616,3328:2105352,3584:8200,3840:270540800,128:270532608,384:270540808,640:8,896:2097152,1152:2105352,1408:268435464,1664:268443648,1920:8200,2176:2097160,2432:8192,2688:268443656,2944:270532616,3200:0,3456:270540800,3712:2105344,3968:268435456,4096:268443648,4352:270532616,4608:270540808,4864:8200,5120:2097152,5376:268435456,5632:268435464,5888:2105344,6144:2105352,6400:0,6656:8,6912:270532608,7168:8192,7424:268443656,7680:270540800,7936:2097160,4224:8,4480:2105344,4736:2097152,4992:268435464,5248:268443648,5504:8200,5760:270540808,6016:270532608,6272:270540800,6528:270532616,6784:8192,7040:2105352,7296:2097160,7552:0,7808:268435456,8064:268443656},{0:1048576,16:33555457,32:1024,48:1049601,64:34604033,80:0,96:1,112:34603009,128:33555456,144:1048577,160:33554433,176:34604032,192:34603008,208:1025,224:1049600,240:33554432,8:34603009,24:0,40:33555457,56:34604032,72:1048576,88:33554433,104:33554432,120:1025,136:1049601,152:33555456,168:34603008,184:1048577,200:1024,216:34604033,232:1,248:1049600,256:33554432,272:1048576,288:33555457,304:34603009,320:1048577,336:33555456,352:34604032,368:1049601,384:1025,400:34604033,416:1049600,432:1,448:0,464:34603008,480:33554433,496:1024,264:1049600,280:33555457,296:34603009,312:1,328:33554432,344:1048576,360:1025,376:34604032,392:33554433,408:34603008,424:0,440:34604033,456:1049601,472:1024,488:33555456,504:1048577},{0:134219808,1:131072,2:134217728,3:32,4:131104,5:134350880,6:134350848,7:2048,8:134348800,9:134219776,10:133120,11:134348832,12:2080,13:0,14:134217760,15:133152,2147483648:2048,2147483649:134350880,2147483650:134219808,2147483651:134217728,2147483652:134348800,2147483653:133120,2147483654:133152,2147483655:32,2147483656:134217760,2147483657:2080,2147483658:131104,2147483659:134350848,2147483660:0,2147483661:134348832,2147483662:134219776,2147483663:131072,16:133152,17:134350848,18:32,19:2048,20:134219776,21:134217760,22:134348832,23:131072,24:0,25:131104,26:134348800,27:134219808,28:134350880,29:133120,30:2080,31:134217728,2147483664:131072,2147483665:2048,2147483666:134348832,2147483667:133152,2147483668:32,2147483669:134348800,2147483670:134217728,2147483671:134219808,2147483672:134350880,2147483673:134217760,2147483674:134219776,2147483675:0,2147483676:133120,2147483677:2080,2147483678:131104,2147483679:134350848}],u=[4160749569,528482304,33030144,2064384,129024,8064,504,2147483679],p=i.DES=o.extend({_doReset:function(){for(var e=this._key.words,t=[],n=0;n<56;n++){var r=a[n]-1;t[n]=e[r>>>5]>>>31-r%32&1}for(var o=this._subKeys=[],i=0;i<16;i++){var c=o[i]=[],u=l[i];for(n=0;n<24;n++)c[n/6|0]|=t[(s[n]-1+u)%28]<<31-n%6,c[4+(n/6|0)]|=t[28+(s[n+24]-1+u)%28]<<31-n%6;for(c[0]=c[0]<<1|c[0]>>>31,n=1;n<7;n++)c[n]=c[n]>>>4*(n-1)+3;c[7]=c[7]<<5|c[7]>>>27}var p=this._invSubKeys=[];for(n=0;n<16;n++)p[n]=o[15-n]},encryptBlock:function(e,t){this._doCryptBlock(e,t,this._subKeys)},decryptBlock:function(e,t){this._doCryptBlock(e,t,this._invSubKeys)},_doCryptBlock:function(e,t,n){this._lBlock=e[t],this._rBlock=e[t+1],d.call(this,4,252645135),d.call(this,16,65535),f.call(this,2,858993459),f.call(this,8,16711935),d.call(this,1,1431655765);for(var r=0;r<16;r++){for(var o=n[r],i=this._lBlock,a=this._rBlock,s=0,l=0;l<8;l++)s|=c[l][((a^o[l])&u[l])>>>0];this._lBlock=a,this._rBlock=i^s}var p=this._lBlock;this._lBlock=this._rBlock,this._rBlock=p,d.call(this,1,1431655765),f.call(this,8,16711935),f.call(this,2,858993459),d.call(this,16,65535),d.call(this,4,252645135),e[t]=this._lBlock,e[t+1]=this._rBlock},keySize:2,ivSize:2,blockSize:2});function d(e,t){var n=(this._lBlock>>>e^this._rBlock)&t;this._rBlock^=n,this._lBlock^=n<<e}function f(e,t){var n=(this._rBlock>>>e^this._lBlock)&t;this._lBlock^=n,this._rBlock^=n<<e}e.DES=o._createHelper(p);var h=i.TripleDES=o.extend({_doReset:function(){var e=this._key.words;this._des1=p.createEncryptor(n.create(e.slice(0,2))),this._des2=p.createEncryptor(n.create(e.slice(2,4))),this._des3=p.createEncryptor(n.create(e.slice(4,6)))},encryptBlock:function(e,t){this._des1.encryptBlock(e,t),this._des2.decryptBlock(e,t),this._des3.encryptBlock(e,t)},decryptBlock:function(e,t){this._des3.decryptBlock(e,t),this._des2.encryptBlock(e,t),this._des1.decryptBlock(e,t)},keySize:6,ivSize:2,blockSize:2});e.TripleDES=o._createHelper(h)}(),r.TripleDES)},3042:function(e,t,n){var r;e.exports=(r=n(1628),n(1691),n(1692),n(1693),n(1633),function(){var e=r,t=e.lib.StreamCipher,n=e.algo,o=n.RC4=t.extend({_doReset:function(){for(var e=this._key,t=e.words,n=e.sigBytes,r=this._S=[],o=0;o<256;o++)r[o]=o;o=0;for(var i=0;o<256;o++){var a=o%n,s=t[a>>>2]>>>24-a%4*8&255;i=(i+r[o]+s)%256;var l=r[o];r[o]=r[i],r[i]=l}this._i=this._j=0},_doProcessBlock:function(e,t){e[t]^=i.call(this)},keySize:8,ivSize:0});function i(){for(var e=this._S,t=this._i,n=this._j,r=0,o=0;o<4;o++){n=(n+e[t=(t+1)%256])%256;var i=e[t];e[t]=e[n],e[n]=i,r|=e[(e[t]+e[n])%256]<<24-8*o}return this._i=t,this._j=n,r}e.RC4=t._createHelper(o);var a=n.RC4Drop=o.extend({cfg:o.cfg.extend({drop:192}),_doReset:function(){o._doReset.call(this);for(var e=this.cfg.drop;e>0;e--)i.call(this)}});e.RC4Drop=t._createHelper(a)}(),r.RC4)},3043:function(e,t,n){var r;e.exports=(r=n(1628),n(1691),n(1692),n(1693),n(1633),function(){var e=r,t=e.lib.StreamCipher,n=e.algo,o=[],i=[],a=[],s=n.Rabbit=t.extend({_doReset:function(){for(var e=this._key.words,t=this.cfg.iv,n=0;n<4;n++)e[n]=16711935&(e[n]<<8|e[n]>>>24)|4278255360&(e[n]<<24|e[n]>>>8);var r=this._X=[e[0],e[3]<<16|e[2]>>>16,e[1],e[0]<<16|e[3]>>>16,e[2],e[1]<<16|e[0]>>>16,e[3],e[2]<<16|e[1]>>>16],o=this._C=[e[2]<<16|e[2]>>>16,4294901760&e[0]|65535&e[1],e[3]<<16|e[3]>>>16,4294901760&e[1]|65535&e[2],e[0]<<16|e[0]>>>16,4294901760&e[2]|65535&e[3],e[1]<<16|e[1]>>>16,4294901760&e[3]|65535&e[0]];for(this._b=0,n=0;n<4;n++)l.call(this);for(n=0;n<8;n++)o[n]^=r[n+4&7];if(t){var i=t.words,a=i[0],s=i[1],c=16711935&(a<<8|a>>>24)|4278255360&(a<<24|a>>>8),u=16711935&(s<<8|s>>>24)|4278255360&(s<<24|s>>>8),p=c>>>16|4294901760&u,d=u<<16|65535&c;for(o[0]^=c,o[1]^=p,o[2]^=u,o[3]^=d,o[4]^=c,o[5]^=p,o[6]^=u,o[7]^=d,n=0;n<4;n++)l.call(this)}},_doProcessBlock:function(e,t){var n=this._X;l.call(this),o[0]=n[0]^n[5]>>>16^n[3]<<16,o[1]=n[2]^n[7]>>>16^n[5]<<16,o[2]=n[4]^n[1]>>>16^n[7]<<16,o[3]=n[6]^n[3]>>>16^n[1]<<16;for(var r=0;r<4;r++)o[r]=16711935&(o[r]<<8|o[r]>>>24)|4278255360&(o[r]<<24|o[r]>>>8),e[t+r]^=o[r]},blockSize:4,ivSize:2});function l(){for(var e=this._X,t=this._C,n=0;n<8;n++)i[n]=t[n];for(t[0]=t[0]+1295307597+this._b|0,t[1]=t[1]+3545052371+(t[0]>>>0<i[0]>>>0?1:0)|0,t[2]=t[2]+886263092+(t[1]>>>0<i[1]>>>0?1:0)|0,t[3]=t[3]+1295307597+(t[2]>>>0<i[2]>>>0?1:0)|0,t[4]=t[4]+3545052371+(t[3]>>>0<i[3]>>>0?1:0)|0,t[5]=t[5]+886263092+(t[4]>>>0<i[4]>>>0?1:0)|0,t[6]=t[6]+1295307597+(t[5]>>>0<i[5]>>>0?1:0)|0,t[7]=t[7]+3545052371+(t[6]>>>0<i[6]>>>0?1:0)|0,this._b=t[7]>>>0<i[7]>>>0?1:0,n=0;n<8;n++){var r=e[n]+t[n],o=65535&r,s=r>>>16,l=((o*o>>>17)+o*s>>>15)+s*s,c=((4294901760&r)*r|0)+((65535&r)*r|0);a[n]=l^c}e[0]=a[0]+(a[7]<<16|a[7]>>>16)+(a[6]<<16|a[6]>>>16)|0,e[1]=a[1]+(a[0]<<8|a[0]>>>24)+a[7]|0,e[2]=a[2]+(a[1]<<16|a[1]>>>16)+(a[0]<<16|a[0]>>>16)|0,e[3]=a[3]+(a[2]<<8|a[2]>>>24)+a[1]|0,e[4]=a[4]+(a[3]<<16|a[3]>>>16)+(a[2]<<16|a[2]>>>16)|0,e[5]=a[5]+(a[4]<<8|a[4]>>>24)+a[3]|0,e[6]=a[6]+(a[5]<<16|a[5]>>>16)+(a[4]<<16|a[4]>>>16)|0,e[7]=a[7]+(a[6]<<8|a[6]>>>24)+a[5]|0}e.Rabbit=t._createHelper(s)}(),r.Rabbit)},3044:function(e,t,n){var r;e.exports=(r=n(1628),n(1691),n(1692),n(1693),n(1633),function(){var e=r,t=e.lib.StreamCipher,n=e.algo,o=[],i=[],a=[],s=n.RabbitLegacy=t.extend({_doReset:function(){var e=this._key.words,t=this.cfg.iv,n=this._X=[e[0],e[3]<<16|e[2]>>>16,e[1],e[0]<<16|e[3]>>>16,e[2],e[1]<<16|e[0]>>>16,e[3],e[2]<<16|e[1]>>>16],r=this._C=[e[2]<<16|e[2]>>>16,4294901760&e[0]|65535&e[1],e[3]<<16|e[3]>>>16,4294901760&e[1]|65535&e[2],e[0]<<16|e[0]>>>16,4294901760&e[2]|65535&e[3],e[1]<<16|e[1]>>>16,4294901760&e[3]|65535&e[0]];this._b=0;for(var o=0;o<4;o++)l.call(this);for(o=0;o<8;o++)r[o]^=n[o+4&7];if(t){var i=t.words,a=i[0],s=i[1],c=16711935&(a<<8|a>>>24)|4278255360&(a<<24|a>>>8),u=16711935&(s<<8|s>>>24)|4278255360&(s<<24|s>>>8),p=c>>>16|4294901760&u,d=u<<16|65535&c;for(r[0]^=c,r[1]^=p,r[2]^=u,r[3]^=d,r[4]^=c,r[5]^=p,r[6]^=u,r[7]^=d,o=0;o<4;o++)l.call(this)}},_doProcessBlock:function(e,t){var n=this._X;l.call(this),o[0]=n[0]^n[5]>>>16^n[3]<<16,o[1]=n[2]^n[7]>>>16^n[5]<<16,o[2]=n[4]^n[1]>>>16^n[7]<<16,o[3]=n[6]^n[3]>>>16^n[1]<<16;for(var r=0;r<4;r++)o[r]=16711935&(o[r]<<8|o[r]>>>24)|4278255360&(o[r]<<24|o[r]>>>8),e[t+r]^=o[r]},blockSize:4,ivSize:2});function l(){for(var e=this._X,t=this._C,n=0;n<8;n++)i[n]=t[n];for(t[0]=t[0]+1295307597+this._b|0,t[1]=t[1]+3545052371+(t[0]>>>0<i[0]>>>0?1:0)|0,t[2]=t[2]+886263092+(t[1]>>>0<i[1]>>>0?1:0)|0,t[3]=t[3]+1295307597+(t[2]>>>0<i[2]>>>0?1:0)|0,t[4]=t[4]+3545052371+(t[3]>>>0<i[3]>>>0?1:0)|0,t[5]=t[5]+886263092+(t[4]>>>0<i[4]>>>0?1:0)|0,t[6]=t[6]+1295307597+(t[5]>>>0<i[5]>>>0?1:0)|0,t[7]=t[7]+3545052371+(t[6]>>>0<i[6]>>>0?1:0)|0,this._b=t[7]>>>0<i[7]>>>0?1:0,n=0;n<8;n++){var r=e[n]+t[n],o=65535&r,s=r>>>16,l=((o*o>>>17)+o*s>>>15)+s*s,c=((4294901760&r)*r|0)+((65535&r)*r|0);a[n]=l^c}e[0]=a[0]+(a[7]<<16|a[7]>>>16)+(a[6]<<16|a[6]>>>16)|0,e[1]=a[1]+(a[0]<<8|a[0]>>>24)+a[7]|0,e[2]=a[2]+(a[1]<<16|a[1]>>>16)+(a[0]<<16|a[0]>>>16)|0,e[3]=a[3]+(a[2]<<8|a[2]>>>24)+a[1]|0,e[4]=a[4]+(a[3]<<16|a[3]>>>16)+(a[2]<<16|a[2]>>>16)|0,e[5]=a[5]+(a[4]<<8|a[4]>>>24)+a[3]|0,e[6]=a[6]+(a[5]<<16|a[5]>>>16)+(a[4]<<16|a[4]>>>16)|0,e[7]=a[7]+(a[6]<<8|a[6]>>>24)+a[5]|0}e.RabbitLegacy=t._createHelper(s)}(),r.RabbitLegacy)},3045:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=l(n(123)),o=l(n(16)),i=l(n(1)),a=n(1835),s=n(2e3);function l(e){return e&&e.__esModule?e:{default:e}}var c=function(e,t,n,r){this.crumbs_placeholder=t,this.files_placeholder=e,this.files_placeholder.empty(),this.crumbs_placeholder.empty(),this.update_crumbs(n),this.cd_callback=r.cd_callback||function(){},this.open_callback=r.open_callback||function(){},this.select_callback=r.select_callback||function(){},this.crumbs=null===n?["."]:n,this.selected=null};c.prototype.cdUpTo=function(e){this.crumbs.splice(e+1,this.crumbs.length-e-1),this.cd_callback(this.crumbs)},c.prototype.cdUp=function(){this.crumbs.length>1&&(this.crumbs.pop(),this.cd_callback(this.crumbs))},c.prototype.cdIn=function(e){this.crumbs.push(e),this.cd_callback(this.crumbs)},c.prototype.update_crumbs=function(e){for(var t in e&&(this.crumbs=e),this.crumbs_placeholder.empty(),this.crumbs){var n,o=0!==t?this.crumbs[t]:'<i class="fa fa-home"></i>&nbsp;';if(t<this.crumbs.length-1){n=(0,r.default)("<li>");var i=(0,r.default)("<a>").text(o).css("cursor","pointer");i.click(r.default.proxy(this.cdUpTo,this,parseInt(t))),n.append(i),n.append((0,r.default)("<span>").addClass("divider").text(">"))}else n=(0,r.default)("<li>").addClass("active").text(o);this.crumbs_placeholder.append(n)}},c.prototype.update_files=function(e){var t=this,n=this.files_placeholder.parents(".modal-dialog").length>0;e.sort(function(e,t){var n=e.is_directory&&"cfig"!=(0,a.get_extension)(e.name),r=t.is_directory&&"cfig"!=(0,a.get_extension)(t.name);return n&&!r?-1:!n&&r?1:e.name<t.name?-1:1});var r=!0,l=!1,c=void 0;try{for(var u,p=e[Symbol.iterator]();!(r=(u=p.next()).done);r=!0){var d=u.value;d.showExtended=n,d.isFile=d.is_file,d.openFile=function(e){t.open_file(e)},d.crumbs=this.crumbs,delete d.is_directory,delete d.is_file}}catch(e){l=!0,c=e}finally{try{!r&&p.return&&p.return()}finally{if(l)throw c}}o.default.render(i.default.createElement(s.FileList,{files:e,isModal:n,selectFile:this.select_callback,clearSelection:function(){return t.select_callback("")}}),this.files_placeholder[0])},c.prototype.open_file=function(e){var t=e.name,n=e.isDir,o=(0,r.default)(e.target);n?this.cdIn(t):this.open_callback(o,t)},t.default=c},3046:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.get_download_url=t.get_file_url=t.get_file=void 0;var r,o=n(123),i=(r=o)&&r.__esModule?r:{default:r};function a(e,t){for(var n=t+"/files";e&&"/"===e[0];)e=e.slice(1);return n+"/"+e}t.get_file=function(e,t,n,r){var o=a(t,e);void 0===r&&(r="text"),i.default.ajax({url:o,type:"GET",dataType:r,xhrFields:{withCredentials:!0},crossDomain:!0,success:n})},t.get_file_url=a,t.get_download_url=function(e,t){for(;e&&"/"===e[0];)e=e.slice(1);return t+"/file_download/"+e}},3047:function(e,t,n){e.exports={"warning-icon":"delete-modal--warning-icon--3xOXN","modal-body":"delete-modal--modal-body--31s4X","modal-message":"delete-modal--modal-message--1Hexf",header:"delete-modal--header--17Ogn","confirm-button":"delete-modal--confirm-button--39Yix","cancel-button":"delete-modal--cancel-button--2flvD","modal-button":"delete-modal--modal-button--3H_sW"}},3048:function(e,t,n){e.exports={"warning-icon":"conflict-modal--warning-icon--1Cj0H","modal-body":"conflict-modal--modal-body--DkMEI","modal-message":"conflict-modal--modal-message--2JtnQ",header:"conflict-modal--header--LCNyi","target-file":"conflict-modal--target-file--1mAZV"}},3049:function(e,t,n){"use strict";(function(e){Object.defineProperty(t,"__esModule",{value:!0});var r,o,i,a,s,l=function(){return function(e,t){if(Array.isArray(e))return e;if(Symbol.iterator in Object(e))return function(e,t){var n=[],r=!0,o=!1,i=void 0;try{for(var a,s=e[Symbol.iterator]();!(r=(a=s.next()).done)&&(n.push(a.value),!t||n.length!==t);r=!0);}catch(e){o=!0,i=e}finally{try{!r&&s.return&&s.return()}finally{if(o)throw i}}return n}(e,t);throw new TypeError("Invalid attempt to destructure non-iterable instance")}}(),c=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var n=arguments[t];for(var r in n)Object.prototype.hasOwnProperty.call(n,r)&&(e[r]=n[r])}return e},u=function(){function e(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}return function(t,n,r){return n&&e(t.prototype,n),r&&e(t,r),t}}(),p=y(n(1)),d=y(n(0)),f=n(31),h=y(n(1676)),m=n(1677);n(3050),n(3052);var b=y(n(1763)),g=y(n(3054)),_=y(n(3056)),v=y(n(3096));function y(e){return e&&e.__esModule?e:{default:e}}function w(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function x(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}function k(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}var C=(o=r=function(e){function t(){var e,n,r;w(this,t);for(var o=arguments.length,i=Array(o),a=0;a<o;a++)i[a]=arguments[a];return n=r=x(this,(e=t.__proto__||Object.getPrototypeOf(t)).call.apply(e,[this].concat(i))),r.defaults={},x(r,n)}return k(t,p.default.Component),u(t,[{key:"componentDidMount",value:function(){var e=this,t="terminal-"+h.default.v4();(0,m.dispatchConnectionDownActions)(this.props.dispatch,t,Date.now()),this.socket=this.props.server.connect("terminal/control"),this.socket.listen(function(n){"list"===n.type&&(e.handleList(n),"disconnect"===n.type?(0,m.dispatchConnectionDownActions)(e.props.dispatch,t,Date.now()):e.props.dispatch((0,m.connectionUp)(t)))})}},{key:"handleList",value:function(e){var t=e.data,n={};t.forEach(function(e){n[e.id]=e});var r=this.props.active;r in n||(r=this.props.ephemeral?this.props.ephemeral.id:Object.keys(n).length?n[Object.keys(n)[0]].id:null),this.props.handleSetTerminals({active:r,terminals:n})}},{key:"setDefaults",value:function(e){this.defaults=c({},this.defaults,e)}},{key:"setTerminals",value:function(){var e=this,t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:[];return t=t.map(function(t){return c({},e.defaults,t)}),this.socket.sendAsync({type:"set",terminals:t})}},{key:"newTerminal",value:function(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{};return this.socket.sendAsync(c({type:"create"},this.defaults,e))}},{key:"closeTerminal",value:function(e){var t=e.id;return this.socket.sendAsync({type:"destroy",id:t})}},{key:"resizeTerminal",value:function(e,t){this.socket.send({type:"size",id:e,cols:t.cols,rows:t.rows})}},{key:"createEphemeral",value:function(e,t){this.ephemeralPending&&t.reject("Can't create 2 ephemeral terminals."),this.ephemeralPending=e,this.ephemeralPromiseControl=t,this.props.handleSetEphemeral(e)}},{key:"closeEphemeral",value:function(){this.ephemeralPromiseControl&&(this.ephemeralPromiseControl.reject(new Error("Closed ephemeral terminal while opening.")),delete this.ephemeralPromiseControl,delete this.ephemeralPending),this.props.handleSetEphemeral(null)}},{key:"handleCreateEphemeral",value:function(e){this.ephemeralPromiseControl.resolve(c({},this.ephemeralPending,{term:e})),delete this.ephemeralPromiseControl,delete this.ephemeralPending}},{key:"componentWillUnmount",value:function(){this.socket&&this.socket.close()}},{key:"render",value:function(){return null}}]),t}(),r.propTypes={server:d.default.object,ephemeral:d.default.object,terminal:d.default.arrayOf(d.default.object),handleSetTerminals:d.default.func,handleSetEphemeral:d.default.func,active:d.default.string,dispatch:d.default.func.isRequired},o),E=(0,f.connect)(void 0,void 0,void 0,{withRef:!0})(C),O=e(b.default,{allowMultiple:!0})((s=a=function(e){function t(){var e,n,r;w(this,t);for(var o=arguments.length,i=Array(o),a=0;a<o;a++)i[a]=arguments[a];return n=r=x(this,(e=t.__proto__||Object.getPrototypeOf(t)).call.apply(e,[this].concat(i))),r.state={terminals:{},active:null},r.controllerRef=function(e){r.controller=e?e.getWrappedInstance():null},x(r,n)}return k(t,p.default.Component),u(t,[{key:"componentDidMount",value:function(){this.props.manager.setPanel(this.node),this.xtermEvents=(0,v.default)(this.node,{padding:48})}},{key:"componentWillUnmount",value:function(){this.props.onUnmount&&this.props.onUnmount(),this.xtermEvents&&this.xtermEvents.removeEventListeners()}},{key:"api",value:function(){return new g.default(this.controller,this)}},{key:"handleNewTerminal",value:function(){var e=this;this.props.onNewTerminal&&this.props.onNewTerminal(),this.controller.newTerminal().then(function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:[],n=l(t,2),r=n[0],o=n[1];r||e.handleSwitchTerminal(o)})}},{key:"handleResizeTerminal",value:function(e){var t=e.id,n=e.geo;this.controller.resizeTerminal(t,n)}},{key:"handleCloseTerminal",value:function(e){var t=e.id;this.props.onDestroyTerminal&&this.props.onDestroyTerminal(),this.controller.closeTerminal({id:t})}},{key:"handleSwitchTerminal",value:function(e,t){var n=e.id;this.setState({active:n},t)}},{key:"handleSetTerminals",value:function(e){var t=e.active,n=e.terminals;this.setState({active:t,terminals:n})}},{key:"handleSetEphemeral",value:function(e){this.setState({ephemeral:e})}},{key:"handleCreateEphemeral",value:function(e){this.controller.handleCreateEphemeral(e),this.state.ephemeral&&this.setState({active:this.state.ephemeral.id})}},{key:"handleCloseEphemeral",value:function(){this.controller.closeEphemeral()}},{key:"render",value:function(){var e=this;return p.default.createElement("div",{className:"panel",styleName:"terminal-panel",id:this.props.id,ref:function(t){return e.node=t}},p.default.createElement(_.default,{parent:this.node,server:this.props.server,terminals:this.state.terminals,active:this.state.active,allowOpenAndClose:this.props.allowClose,handleNewTerminal:this.handleNewTerminal.bind(this),handleCloseTerminal:this.handleCloseTerminal.bind(this),handleSwitchTerminal:this.handleSwitchTerminal.bind(this),handleResizeTerminal:this.handleResizeTerminal.bind(this),ephemeral:this.state.ephemeral,onCreateEphemeralTerminal:this.handleCreateEphemeral.bind(this),handleCloseEphemeralTerminal:this.handleCloseEphemeral.bind(this)}),p.default.createElement(E,{ref:this.controllerRef,server:this.props.server,active:this.state.active,terminals:this.state.terminals,ephemeral:this.state.ephemeral,handleSetTerminals:this.handleSetTerminals.bind(this),handleSetEphemeral:this.handleSetEphemeral.bind(this)}))}}]),t}(),a.propTypes={manager:d.default.object.isRequired,server:d.default.object.isRequired,onUnmount:d.default.func,onNewTerminal:d.default.func,onDestroyTerminal:d.default.func,allowClose:d.default.bool,id:d.default.string},a.defaultProps={allowClose:!0},i=s))||i;t.default=O}).call(this,n(5))},3050:function(e,t,n){var r=n(3051);"string"==typeof r&&(r=[[e.i,r,""]]);var o={hmr:!0,transform:void 0,insertInto:void 0};n(293)(r,o);r.locals&&(e.exports=r.locals)},3051:function(e,t,n){(e.exports=n(292)(!1)).push([e.i,'/**\n * Copyright (c) 2014 The xterm.js authors. All rights reserved.\n * Copyright (c) 2012-2013, Christopher Jeffrey (MIT License)\n * https://github.com/chjj/term.js\n * @license MIT\n *\n * Permission is hereby granted, free of charge, to any person obtaining a copy\n * of this software and associated documentation files (the "Software"), to deal\n * in the Software without restriction, including without limitation the rights\n * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell\n * copies of the Software, and to permit persons to whom the Software is\n * furnished to do so, subject to the following conditions:\n *\n * The above copyright notice and this permission notice shall be included in\n * all copies or substantial portions of the Software.\n *\n * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR\n * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,\n * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE\n * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER\n * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,\n * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN\n * THE SOFTWARE.\n *\n * Originally forked from (with the author\'s permission):\n * Fabrice Bellard\'s javascript vt100 for jslinux:\n * http://bellard.org/jslinux/\n * Copyright (c) 2011 Fabrice Bellard\n * The original design remains. The terminal itself\n * has been extended to include xterm CSI codes, among\n * other features.\n */\n\n/**\n * Default styles for xterm.js\n */\n\n.xterm {\n font-feature-settings: "liga" 0;\n position: relative;\n user-select: none;\n -ms-user-select: none;\n -webkit-user-select: none;\n}\n\n.xterm.focus,\n.xterm:focus {\n outline: none;\n}\n\n.xterm .xterm-helpers {\n position: absolute;\n top: 0;\n /**\n * The z-index of the helpers must be higher than the canvases in order for\n * IMEs to appear on top.\n */\n z-index: 10;\n}\n\n.xterm .xterm-helper-textarea {\n /*\n * HACK: to fix IE\'s blinking cursor\n * Move textarea out of the screen to the far left, so that the cursor is not visible.\n */\n position: absolute;\n opacity: 0;\n left: -9999em;\n top: 0;\n width: 0;\n height: 0;\n z-index: -10;\n /** Prevent wrapping so the IME appears against the textarea at the correct position */\n white-space: nowrap;\n overflow: hidden;\n resize: none;\n}\n\n.xterm .composition-view {\n /* TODO: Composition position got messed up somewhere */\n background: #000;\n color: #FFF;\n display: none;\n position: absolute;\n white-space: nowrap;\n z-index: 1;\n}\n\n.xterm .composition-view.active {\n display: block;\n}\n\n.xterm .xterm-viewport {\n /* On OS X this is required in order for the scroll bar to appear fully opaque */\n background-color: #000;\n overflow-y: scroll;\n cursor: default;\n position: absolute;\n right: 0;\n left: 0;\n top: 0;\n bottom: 0;\n}\n\n.xterm .xterm-screen {\n position: relative;\n}\n\n.xterm .xterm-screen canvas {\n position: absolute;\n left: 0;\n top: 0;\n}\n\n.xterm .xterm-scroll-area {\n visibility: hidden;\n}\n\n.xterm-char-measure-element {\n display: inline-block;\n visibility: hidden;\n position: absolute;\n top: 0;\n left: -9999em;\n line-height: normal;\n}\n\n.xterm {\n cursor: text;\n}\n\n.xterm.enable-mouse-events {\n /* When mouse events are enabled (eg. tmux), revert to the standard pointer cursor */\n cursor: default;\n}\n\n.xterm.xterm-cursor-pointer {\n cursor: pointer;\n}\n\n.xterm.column-select.focus {\n /* Column selection mode */\n cursor: crosshair;\n}\n\n.xterm .xterm-accessibility,\n.xterm .xterm-message {\n position: absolute;\n left: 0;\n top: 0;\n bottom: 0;\n right: 0;\n z-index: 100;\n color: transparent;\n}\n\n.xterm .live-region {\n position: absolute;\n left: -9999px;\n width: 1px;\n height: 1px;\n overflow: hidden;\n}\n',""])},3052:function(e,t,n){var r=n(3053);"string"==typeof r&&(r=[[e.i,r,""]]);var o={hmr:!0,transform:void 0,insertInto:void 0};n(293)(r,o);r.locals&&(e.exports=r.locals)},3053:function(e,t,n){(e.exports=n(292)(!1)).push([e.i,".terminal.xterm .xterm-viewport {\n background-color: #24323E !important;\n}",""])},3054:function(e,t,n){"use strict";(function(e){Object.defineProperty(t,"__esModule",{value:!0}),t.default=void 0;var r,o=function(){return function(e,t){if(Array.isArray(e))return e;if(Symbol.iterator in Object(e))return function(e,t){var n=[],r=!0,o=!1,i=void 0;try{for(var a,s=e[Symbol.iterator]();!(r=(a=s.next()).done)&&(n.push(a.value),!t||n.length!==t);r=!0);}catch(e){o=!0,i=e}finally{try{!r&&s.return&&s.return()}finally{if(o)throw i}}return n}(e,t);throw new TypeError("Invalid attempt to destructure non-iterable instance")}}(),i=function(){function e(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}return function(t,n,r){return n&&e(t.prototype,n),r&&e(t,r),t}}(),a=n(1676),s=(r=a)&&r.__esModule?r:{default:r},l=n(3055);var c=function(){function t(e,n){!function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}(this,t),this.controller=e,this.panel=n}return i(t,[{key:"setDefaults",value:function(e){this.controller.setDefaults(e)}},{key:"newTerminal",value:function(e){return this.controller.newTerminal(e).then(function(t){var n=o(t,2),r=n[0],i=n[1];if(r)throw new l.WebTerminalServerError("Unable to create terminal with options "+e,r);return i})}},{key:"closeTerminal",value:function(e){var t=e.id;return this.controller.closeTerminal({id:t}).then(function(e){var n=o(e,2),r=n[0],i=n[1];if(r)throw new l.WebTerminalServerError("Unable to close terminal with id: "+t+".",r);return i})}},{key:"switchTerminal",value:function(t){var n=this,r=t.id;return new e(function(e){return n.panel.handleSwitchterminal({id:r},e)})}},{key:"listTerminals",value:function(){return this.panel.state.terminals}},{key:"setTerminals",value:function(e){return this.controller.setTerminals(e).then(function(t){var n=o(t,2),r=n[0],i=n[1];if(r)throw new l.WebTerminalServerError("Unable to set terminals: "+e+".",r);return i})}},{key:"closeAllTerminals",value:function(){return this.setTerminals([])}},{key:"newEphemeralTerminal",value:function(){var t=this,n=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{};return n.id||(n.id=s.default.v4()),n.title||(n.title="Ephemeral"),new e(function(e,r){t.controller.createEphemeral(n,{resolve:e,reject:r})})}},{key:"closeEphemeralTerminal",value:function(){this.controller.closeEphemeral()}}]),t}();t.default=c}).call(this,n(10))},3055:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});t.WebTerminalServerError=function(e){function t(e,n){!function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}(this,t);var r=function(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}(this,(t.__proto__||Object.getPrototypeOf(t)).call(this,e));return r.name="WebTerminalServerError",r.error=n,r}return function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}(t,Error),t}()},3056:function(e,t,n){"use strict";(function(e){Object.defineProperty(t,"__esModule",{value:!0}),t.default=void 0;var r,o,i,a=function(){function e(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}return function(t,n,r){return n&&e(t.prototype,n),r&&e(t,r),t}}(),s=f(n(1)),l=f(n(0)),c=f(n(1720)),u=f(n(1763)),p=f(n(3057)),d=f(n(2005));function f(e){return e&&e.__esModule?e:{default:e}}var h=e(u.default,{allowMultiple:!0})((i=o=function(e){function t(){return function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}(this,t),function(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}(this,(t.__proto__||Object.getPrototypeOf(t)).apply(this,arguments))}return function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}(t,s.default.Component),a(t,[{key:"_renderNavigators",value:function(){var e=this,t=[];if(this.props.ephemeral){var n=this.props.ephemeral.id,r=n===this.props.active;t.push(s.default.createElement("div",{styleName:"tab "+(r?"active":""),key:n,onClick:function(){return e.props.handleSwitchTerminal({id:n})}},s.default.createElement("span",{styleName:"tab-text"},this.props.ephemeral.title),this.props.allowOpenAndClose?s.default.createElement("span",{styleName:"tab-close",onClick:function(t){t.stopPropagation(),e.props.handleCloseEphemeralTerminal()}},"×"):null))}return t.concat(Object.keys(this.props.terminals).map(function(t){var n=t===e.props.active;return s.default.createElement("div",{styleName:"tab "+(n?"active":""),key:t,onClick:function(){return e.props.handleSwitchTerminal({id:t})}},s.default.createElement("span",{styleName:"tab-text"},e.props.terminals[t].title),e.props.allowOpenAndClose?s.default.createElement("span",{styleName:"tab-close",onClick:function(n){n.stopPropagation(),e.props.handleCloseTerminal({id:t})}},"×"):null)}))}},{key:"_renderTerminals",value:function(){var e=this,t=Object.keys(this.props.terminals),n=[s.default.createElement("div",{key:"empty",styleName:"tab-inner empty-tab",style:{zIndex:0}},s.default.createElement("div",{styleName:"empty"},s.default.createElement("div",{styleName:"icon"}),s.default.createElement("div",{styleName:"message"},"No Open Terminals"),s.default.createElement("span",{onClick:function(){return e.props.handleNewTerminal()},styleName:"new"},"NEW TERMINAL")))];if(this.props.ephemeral){var r=this.props.ephemeral.id,o=r===this.props.active;n.push(s.default.createElement("div",{key:r,styleName:"tab-inner",style:{zIndex:o?t.length+3:1}},s.default.createElement(d.default,{parent:this.props.parent,isActive:o,terminal:this.props.ephemeral,onCreateTerminal:this.props.onCreateEphemeralTerminal,onResize:c.default.noop})))}return n.concat(t.map(function(n,r){var o=n===e.props.active;return s.default.createElement("div",{key:n,styleName:"tab-inner",style:{zIndex:o?t.length+3:r+2}},s.default.createElement(p.default,{isActive:o,parent:e.props.parent,server:e.props.server,terminal:e.props.terminals[n],onResize:function(t){return e.props.handleResizeTerminal({id:n,geo:t})}}))}))}},{key:"render",value:function(){var e=this,t=this.props.allowOpenAndClose;return s.default.createElement("div",{styleName:"tabs-wrapper"},s.default.createElement("div",{styleName:"tabs"},t?s.default.createElement("div",{styleName:"tab plus",onClick:function(){return e.props.handleNewTerminal()}},s.default.createElement("span",null,"+")):null,this._renderNavigators()),s.default.createElement("div",{styleName:"tab-contents"},this._renderTerminals()))}}]),t}(),o.propTypes={parent:l.default.instanceOf(Element),terminals:l.default.object,active:l.default.string,server:l.default.object,allowOpenAndClose:l.default.bool,handleNewTerminal:l.default.func,handleCloseTerminal:l.default.func,handleSwitchTerminal:l.default.func,handleResizeTerminal:l.default.func,ephemeral:l.default.object,onCreateEphemeralTerminal:l.default.func,handleCloseEphemeralTerminal:l.default.func},r=i))||r;t.default=h}).call(this,n(5))},3057:function(e,t,n){"use strict";(function(e){Object.defineProperty(t,"__esModule",{value:!0}),t.default=void 0;var r,o,i,a=function(){function e(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}return function(t,n,r){return n&&e(t.prototype,n),r&&e(t,r),t}}(),s=h(n(1)),l=h(n(0)),c=h(n(2005)),u=n(3094),p=h(n(1763)),d=n(2006),f=function(e){if(e&&e.__esModule)return e;var t={};if(null!=e)for(var n in e)Object.prototype.hasOwnProperty.call(e,n)&&(t[n]=e[n]);return t.default=e,t}(n(3095));function h(e){return e&&e.__esModule?e:{default:e}}function m(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}d.Terminal.applyAddon(f);var b=e(p.default,{allowMultiple:!0})((i=o=function(e){function t(){var e,n,r;!function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}(this,t);for(var o=arguments.length,i=Array(o),a=0;a<o;a++)i[a]=arguments[a];return n=r=m(this,(e=t.__proto__||Object.getPrototypeOf(t)).call.apply(e,[this].concat(i))),r.state={terminalKey:Date.now()},m(r,n)}return function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}(t,s.default.Component),a(t,[{key:"componentWillMount",value:function(){this.socket=this.props.server.connect("terminal/connect/"+this.props.terminal.id,{raw:!0})}},{key:"componentWillUnmount",value:function(){this.socket.close()}},{key:"connectTerminal",value:function(e){var t=this;this.term=e,this.socket.onOpen().then(function(){t.term.attach(t.socket.ws)});var n=(0,u.isElementInViewport)(this.term.element);this.props.isActive&&n&&this.term.focus(),this.socket.events.once("reconnected",function(){t.setState({terminalKey:Date.now()})})}},{key:"render",value:function(){var e=this;return s.default.createElement(c.default,{key:this.state.terminalKey,parent:this.props.parent,terminal:this.props.terminal,onResize:this.props.onResize,isActive:this.props.isActive,onCreateTerminal:function(t){return e.connectTerminal(t)}})}}]),t}(),o.propTypes={parent:l.default.instanceOf(Element),terminal:l.default.object,onResize:l.default.func,server:l.default.object,isActive:l.default.bool},r=i))||r;t.default=b}).call(this,n(5))},3058:function(e,t,n){"use strict";var r,o=this&&this.__extends||(r=function(e,t){return(r=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(e,t){e.__proto__=t}||function(e,t){for(var n in t)t.hasOwnProperty(n)&&(e[n]=t[n])})(e,t)},function(e,t){function n(){this.constructor=e}r(e,t),e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)});Object.defineProperty(t,"__esModule",{value:!0});var i=n(3059),a=n(1644),s=n(3063),l=n(1653),c=n(3064),u=n(3065),p=n(1765),d=n(3066),f=n(3069),h=n(3080),m=n(3081),b=n(3084),g=n(1722),_=n(1764),v=n(1840),y=n(2014),w=n(3085),x=n(1767),k=n(2013),C=n(3086),E=n(2012),O=n(2010),T=n(3087),S=n(3089),P=n(3090),M="undefined"!=typeof window?window.document:null,D=["cols","rows"],A={cols:80,rows:24,convertEol:!1,termName:"xterm",cursorBlink:!1,cursorStyle:"block",bellSound:w.DEFAULT_BELL_SOUND,bellStyle:"none",drawBoldTextInBrightColors:!0,enableBold:!0,experimentalCharAtlas:"static",fontFamily:"courier-new, courier, monospace",fontSize:15,fontWeight:"normal",fontWeightBold:"bold",lineHeight:1,letterSpacing:0,scrollback:1e3,screenKeys:!1,screenReaderMode:!1,debug:!1,macOptionIsMeta:!1,macOptionClickForcesSelection:!1,cancelEvents:!1,disableStdin:!1,useFlowControl:!1,allowTransparency:!1,tabStopWidth:8,theme:null,rightClickSelectsWord:g.isMac,rendererType:"canvas"},R=function(e){function t(t){void 0===t&&(t={});var n=e.call(this)||this;return n.browser=g,n._blankLine=null,n.options=P.clone(t),n._setup(),n}return o(t,e),t.prototype.dispose=function(){e.prototype.dispose.call(this),this._customKeyEventHandler=null,O.removeTerminalFromCache(this),this.handler=function(){},this.write=function(){},this.element&&this.element.parentNode&&this.element.parentNode.removeChild(this.element)},t.prototype.destroy=function(){this.dispose()},t.prototype._setup=function(){var e=this;Object.keys(A).forEach(function(t){null!==e.options[t]&&void 0!==e.options[t]||(e.options[t]=A[t])}),this._parent=M?M.body:null,this.cols=Math.max(this.options.cols,2),this.rows=Math.max(this.options.rows,1),this.options.handler&&this.on("data",this.options.handler),this.cursorState=0,this.cursorHidden=!1,this._customKeyEventHandler=null,this.applicationKeypad=!1,this.applicationCursor=!1,this.originMode=!1,this.insertMode=!1,this.wraparoundMode=!0,this.bracketedPasteMode=!1,this.charset=null,this.gcharset=null,this.glevel=0,this.charsets=[null],this.curAttr=a.DEFAULT_ATTR,this.params=[],this.currentParam=0,this.writeBuffer=[],this._writeInProgress=!1,this._xoffSentToCatchUp=!1,this._userScrolling=!1,this._inputHandler=new d.InputHandler(this),this.register(this._inputHandler),this.renderer=this.renderer||null,this.selectionManager=this.selectionManager||null,this.linkifier=this.linkifier||new h.Linkifier(this),this._mouseZoneManager=this._mouseZoneManager||null,this.soundManager=this.soundManager||new w.SoundManager(this),this.buffers=new i.BufferSet(this),this.selectionManager&&(this.selectionManager.clearSelection(),this.selectionManager.initBuffersListeners())},Object.defineProperty(t.prototype,"buffer",{get:function(){return this.buffers.active},enumerable:!0,configurable:!0}),t.prototype.eraseAttr=function(){return-512&a.DEFAULT_ATTR|511&this.curAttr},t.prototype.focus=function(){this.textarea&&this.textarea.focus()},Object.defineProperty(t.prototype,"isFocused",{get:function(){return M.activeElement===this.textarea&&M.hasFocus()},enumerable:!0,configurable:!0}),t.prototype.getOption=function(e){if(!(e in A))throw new Error('No option with key "'+e+'"');return this.options[e]},t.prototype.setOption=function(e,t){if(!(e in A))throw new Error('No option with key "'+e+'"');if(-1!==D.indexOf(e)&&console.error('Option "'+e+'" can only be set in the constructor'),this.options[e]!==t){switch(e){case"bellStyle":t||(t="none");break;case"cursorStyle":t||(t="block");break;case"fontWeight":t||(t="normal");break;case"fontWeightBold":t||(t="bold");break;case"lineHeight":if(t<1)return void console.warn(e+" cannot be less than 1, value: "+t);case"rendererType":t||(t="canvas");break;case"tabStopWidth":if(t<1)return void console.warn(e+" cannot be less than 1, value: "+t);break;case"theme":if(this.renderer)return void this._setTheme(t);break;case"scrollback":if((t=Math.min(t,a.MAX_BUFFER_SIZE))<0)return void console.warn(e+" cannot be less than 0, value: "+t);if(this.options[e]!==t){var n=this.rows+t;if(this.buffer.lines.length>n){var r=this.buffer.lines.length-n,o=this.buffer.ydisp-r<0;this.buffer.lines.trimStart(r),this.buffer.ybase=Math.max(this.buffer.ybase-r,0),this.buffer.ydisp=Math.max(this.buffer.ydisp-r,0),o&&this.refresh(0,this.rows-1)}}}switch(this.options[e]=t,e){case"fontFamily":case"fontSize":this.renderer&&(this.renderer.clear(),this.charMeasure.measure(this.options));break;case"drawBoldTextInBrightColors":case"experimentalCharAtlas":case"enableBold":case"letterSpacing":case"lineHeight":case"fontWeight":case"fontWeightBold":this.renderer&&(this.renderer.clear(),this.renderer.onResize(this.cols,this.rows),this.refresh(0,this.rows-1));break;case"rendererType":this.renderer&&(this.unregister(this.renderer),this.renderer.dispose(),this.renderer=null),this._setupRenderer(),this.renderer.onCharSizeChanged(),this._theme&&this.renderer.setTheme(this._theme),this.mouseHelper.setRenderer(this.renderer);break;case"scrollback":this.buffers.resize(this.cols,this.rows),this.viewport&&this.viewport.syncScrollArea();break;case"screenReaderMode":t?this._accessibilityManager||(this._accessibilityManager=new C.AccessibilityManager(this)):this._accessibilityManager&&(this._accessibilityManager.dispose(),this._accessibilityManager=null);break;case"tabStopWidth":this.buffers.setupTabStops()}this.renderer&&this.renderer.onOptionsChanged()}},t.prototype._onTextAreaFocus=function(e){this.sendFocus&&this.handler(p.C0.ESC+"[I"),this.updateCursorStyle(e),this.element.classList.add("focus"),this.showCursor(),this.emit("focus")},t.prototype.blur=function(){return this.textarea.blur()},t.prototype._onTextAreaBlur=function(){this.textarea.value="",this.refresh(this.buffer.y,this.buffer.y),this.sendFocus&&this.handler(p.C0.ESC+"[O"),this.element.classList.remove("focus"),this.emit("blur")},t.prototype._initGlobal=function(){var e=this;this._bindKeys(),this.register(_.addDisposableDomListener(this.element,"copy",function(t){e.hasSelection()&&u.copyHandler(t,e,e.selectionManager)}));var t=function(t){return u.pasteHandler(t,e)};this.register(_.addDisposableDomListener(this.textarea,"paste",t)),this.register(_.addDisposableDomListener(this.element,"paste",t)),g.isFirefox?this.register(_.addDisposableDomListener(this.element,"mousedown",function(t){2===t.button&&u.rightClickHandler(t,e,e.selectionManager,e.options.rightClickSelectsWord)})):this.register(_.addDisposableDomListener(this.element,"contextmenu",function(t){u.rightClickHandler(t,e,e.selectionManager,e.options.rightClickSelectsWord)})),g.isLinux&&this.register(_.addDisposableDomListener(this.element,"auxclick",function(t){1===t.button&&u.moveTextAreaUnderMouseCursor(t,e)}))},t.prototype._bindKeys=function(){var e=this,t=this;this.register(_.addDisposableDomListener(this.element,"keydown",function(e){M.activeElement===this&&t._keyDown(e)},!0)),this.register(_.addDisposableDomListener(this.element,"keypress",function(e){M.activeElement===this&&t._keyPress(e)},!0)),this.register(_.addDisposableDomListener(this.element,"keyup",function(n){(function(e){return 16===e.keyCode||17===e.keyCode||18===e.keyCode})(n)||e.focus(),t._keyUp(n)},!0)),this.register(_.addDisposableDomListener(this.textarea,"keydown",function(t){return e._keyDown(t)},!0)),this.register(_.addDisposableDomListener(this.textarea,"keypress",function(t){return e._keyPress(t)},!0)),this.register(_.addDisposableDomListener(this.textarea,"compositionstart",function(){return e._compositionHelper.compositionstart()})),this.register(_.addDisposableDomListener(this.textarea,"compositionupdate",function(t){return e._compositionHelper.compositionupdate(t)})),this.register(_.addDisposableDomListener(this.textarea,"compositionend",function(){return e._compositionHelper.compositionend()})),this.register(this.addDisposableListener("refresh",function(){return e._compositionHelper.updateCompositionElements()})),this.register(this.addDisposableListener("refresh",function(t){return e._queueLinkification(t.start,t.end)}))},t.prototype.open=function(e){var t=this;if(this._parent=e||this._parent,!this._parent)throw new Error("Terminal requires a parent element.");this._context=this._parent.ownerDocument.defaultView,this._document=this._parent.ownerDocument,this._screenDprMonitor=new E.ScreenDprMonitor,this._screenDprMonitor.setListener(function(){return t.emit("dprchange",window.devicePixelRatio)}),this.register(this._screenDprMonitor),this.element=this._document.createElement("div"),this.element.dir="ltr",this.element.classList.add("terminal"),this.element.classList.add("xterm"),this.element.setAttribute("tabindex","0"),this._parent.appendChild(this.element);var n=M.createDocumentFragment();this._viewportElement=M.createElement("div"),this._viewportElement.classList.add("xterm-viewport"),n.appendChild(this._viewportElement),this._viewportScrollArea=M.createElement("div"),this._viewportScrollArea.classList.add("xterm-scroll-area"),this._viewportElement.appendChild(this._viewportScrollArea),this.screenElement=M.createElement("div"),this.screenElement.classList.add("xterm-screen"),this._helperContainer=M.createElement("div"),this._helperContainer.classList.add("xterm-helpers"),this.screenElement.appendChild(this._helperContainer),n.appendChild(this.screenElement),this._mouseZoneManager=new k.MouseZoneManager(this),this.register(this._mouseZoneManager),this.register(this.addDisposableListener("scroll",function(){return t._mouseZoneManager.clearAll()})),this.linkifier.attachToDom(this._mouseZoneManager),this.textarea=M.createElement("textarea"),this.textarea.classList.add("xterm-helper-textarea"),this.textarea.setAttribute("aria-label",v.promptLabel),this.textarea.setAttribute("aria-multiline","false"),this.textarea.setAttribute("autocorrect","off"),this.textarea.setAttribute("autocapitalize","off"),this.textarea.setAttribute("spellcheck","false"),this.textarea.tabIndex=0,this.register(_.addDisposableDomListener(this.textarea,"focus",function(e){return t._onTextAreaFocus(e)})),this.register(_.addDisposableDomListener(this.textarea,"blur",function(){return t._onTextAreaBlur()})),this._helperContainer.appendChild(this.textarea),this._compositionView=M.createElement("div"),this._compositionView.classList.add("composition-view"),this._compositionHelper=new s.CompositionHelper(this.textarea,this._compositionView,this),this._helperContainer.appendChild(this._compositionView),this.charMeasure=new b.CharMeasure(M,this._helperContainer),this.element.appendChild(n),this._setupRenderer(),this._theme=this.options.theme,this.options.theme=null,this.viewport=new c.Viewport(this,this._viewportElement,this._viewportScrollArea,this.charMeasure),this.viewport.onThemeChanged(this.renderer.colorManager.colors),this.register(this.viewport),this.register(this.addDisposableListener("cursormove",function(){return t.renderer.onCursorMove()})),this.register(this.addDisposableListener("resize",function(){return t.renderer.onResize(t.cols,t.rows)})),this.register(this.addDisposableListener("blur",function(){return t.renderer.onBlur()})),this.register(this.addDisposableListener("focus",function(){return t.renderer.onFocus()})),this.register(this.addDisposableListener("dprchange",function(){return t.renderer.onWindowResize(window.devicePixelRatio)})),this.register(_.addDisposableDomListener(window,"resize",function(){return t.renderer.onWindowResize(window.devicePixelRatio)})),this.register(this.charMeasure.addDisposableListener("charsizechanged",function(){return t.renderer.onCharSizeChanged()})),this.register(this.renderer.addDisposableListener("resize",function(e){return t.viewport.syncScrollArea()})),this.selectionManager=new m.SelectionManager(this,this.charMeasure),this.register(_.addDisposableDomListener(this.element,"mousedown",function(e){return t.selectionManager.onMouseDown(e)})),this.register(this.selectionManager.addDisposableListener("refresh",function(e){return t.renderer.onSelectionChanged(e.start,e.end,e.columnSelectMode)})),this.register(this.selectionManager.addDisposableListener("newselection",function(e){t.textarea.value=e,t.textarea.focus(),t.textarea.select()})),this.register(this.addDisposableListener("scroll",function(){t.viewport.syncScrollArea(),t.selectionManager.refresh()})),this.register(_.addDisposableDomListener(this._viewportElement,"scroll",function(){return t.selectionManager.refresh()})),this.mouseHelper=new y.MouseHelper(this.renderer),this.element.classList.toggle("enable-mouse-events",this.mouseEvents),this.mouseEvents?this.selectionManager.disable():this.selectionManager.enable(),this.options.screenReaderMode&&(this._accessibilityManager=new C.AccessibilityManager(this)),this.charMeasure.measure(this.options),this.refresh(0,this.rows-1),this._initGlobal(),this.bindMouse()},t.prototype._setupRenderer=function(){switch(this.options.rendererType){case"canvas":this.renderer=new f.Renderer(this,this.options.theme);break;case"dom":this.renderer=new T.DomRenderer(this,this.options.theme);break;default:throw new Error('Unrecognized rendererType "'+this.options.rendererType+'"')}this.register(this.renderer)},t.prototype._setTheme=function(e){this._theme=e;var t=this.renderer.setTheme(e);this.viewport&&this.viewport.onThemeChanged(t)},t.prototype.bindMouse=function(){var e=this,t=this.element,n=this,r=32;function o(e){var t,o;if(t=function(e){var t,r,o,i,a;switch(e.overrideType||e.type){case"mousedown":t=null!==e.button&&void 0!==e.button?+e.button:null!==e.which&&void 0!==e.which?e.which-1:null,g.isMSIE&&(t=1===t?0:4===t?1:t);break;case"mouseup":t=3;break;case"DOMMouseScroll":t=e.detail<0?64:65;break;case"wheel":t=e.deltaY<0?64:65}r=e.shiftKey?4:0,o=e.metaKey?8:0,i=e.ctrlKey?16:0,a=r|o|i,n.vt200Mouse?a&=i:n.normalMouse||(a=0);return t=32+(a<<2)+t}(e),o=n.mouseHelper.getRawByteCoords(e,n.screenElement,n.charMeasure,n.cols,n.rows))switch(a(t,o),e.overrideType||e.type){case"mousedown":r=t;break;case"mouseup":r=32}}function i(e,t){if(n.utfMouse){if(2047===t)return void e.push(0);t<127?e.push(t):(t>2047&&(t=2047),e.push(192|t>>6),e.push(128|63&t))}else{if(255===t)return void e.push(0);t>127&&(t=127),e.push(t)}}function a(e,t){if(n._vt300Mouse){e&=3,t.x-=32,t.y-=32;var r=p.C0.ESC+"[24";if(0===e)r+="1";else if(1===e)r+="3";else if(2===e)r+="5";else{if(3===e)return;r+="0"}return r+="~["+t.x+","+t.y+"]\r",void n.handler(r)}if(n._decLocator)return e&=3,t.x-=32,t.y-=32,0===e?e=2:1===e?e=4:2===e?e=6:3===e&&(e=3),void n.handler(p.C0.ESC+"["+e+";"+(3===e?4:0)+";"+t.y+";"+t.x+";"+t.page||"0&w");if(n.urxvtMouse)return t.x-=32,t.y-=32,t.x++,t.y++,void n.handler(p.C0.ESC+"["+e+";"+t.x+";"+t.y+"M");if(n.sgrMouse)return t.x-=32,t.y-=32,void n.handler(p.C0.ESC+"[<"+((3==(3&e)?-4&e:e)-32)+";"+t.x+";"+t.y+(3==(3&e)?"m":"M"));var o=[];i(o,e),i(o,t.x),i(o,t.y),n.handler(p.C0.ESC+"[M"+String.fromCharCode.apply(String,o))}this.register(_.addDisposableDomListener(t,"mousedown",function(t){if(t.preventDefault(),e.focus(),e.mouseEvents&&!e.selectionManager.shouldForceSelection(t)){if(o(t),e.vt200Mouse)return t.overrideType="mouseup",o(t),e.cancel(t);var i;e.normalMouse&&(i=function(t){var o,i,s;e.normalMouse&&(o=t,i=r,(s=n.mouseHelper.getRawByteCoords(o,n.screenElement,n.charMeasure,n.cols,n.rows))&&a(i+=32,s))},e._document.addEventListener("mousemove",i));var s=function(t){return e.normalMouse&&!e.x10Mouse&&o(t),i&&(e._document.removeEventListener("mousemove",i),i=null),e._document.removeEventListener("mouseup",s),e.cancel(t)};return e._document.addEventListener("mouseup",s),e.cancel(t)}})),this.register(_.addDisposableDomListener(t,"wheel",function(t){if(e.mouseEvents)e.x10Mouse||e._vt300Mouse||e._decLocator||(o(t),t.preventDefault());else if(!e.buffer.hasScrollback){var n=e.viewport.getLinesScrolled(t);if(0===n)return;for(var r=p.C0.ESC+(e.applicationCursor?"O":"[")+(t.deltaY<0?"A":"B"),i="",a=0;a<Math.abs(n);a++)i+=r;e.handler(i)}})),this.register(_.addDisposableDomListener(t,"wheel",function(t){if(!e.mouseEvents)return e.viewport.onWheel(t),e.cancel(t)})),this.register(_.addDisposableDomListener(t,"touchstart",function(t){if(!e.mouseEvents)return e.viewport.onTouchStart(t),e.cancel(t)})),this.register(_.addDisposableDomListener(t,"touchmove",function(t){if(!e.mouseEvents)return e.viewport.onTouchMove(t),e.cancel(t)}))},t.prototype.refresh=function(e,t){this.renderer&&this.renderer.refreshRows(e,t)},t.prototype._queueLinkification=function(e,t){this.linkifier&&this.linkifier.linkifyRows(e,t)},t.prototype.updateCursorStyle=function(e){this.selectionManager&&this.selectionManager.shouldColumnSelect(e)?this.element.classList.add("column-select"):this.element.classList.remove("column-select")},t.prototype.showCursor=function(){this.cursorState||(this.cursorState=1,this.refresh(this.buffer.y,this.buffer.y))},t.prototype.scroll=function(e){var t;void 0===e&&(e=!1),(t=this._blankLine)&&t.length===this.cols&&t.get(0)[a.CHAR_DATA_ATTR_INDEX]===this.eraseAttr()||(t=this.buffer.getBlankLine(this.eraseAttr(),e),this._blankLine=t),t.isWrapped=e;var n=this.buffer.ybase+this.buffer.scrollTop,r=this.buffer.ybase+this.buffer.scrollBottom;if(0===this.buffer.scrollTop){var o=this.buffer.lines.isFull;r===this.buffer.lines.length-1?o?this.buffer.lines.recycle().copyFrom(t):this.buffer.lines.push(t.clone()):this.buffer.lines.splice(r+1,0,t.clone()),o?this._userScrolling&&(this.buffer.ydisp=Math.max(this.buffer.ydisp-1,0)):(this.buffer.ybase++,this._userScrolling||this.buffer.ydisp++)}else{var i=r-n+1;this.buffer.lines.shiftElements(n+1,i-1,-1),this.buffer.lines.set(r,t.clone())}this._userScrolling||(this.buffer.ydisp=this.buffer.ybase),this.updateRange(this.buffer.scrollTop),this.updateRange(this.buffer.scrollBottom),this.emit("scroll",this.buffer.ydisp)},t.prototype.scrollLines=function(e,t){if(e<0){if(0===this.buffer.ydisp)return;this._userScrolling=!0}else e+this.buffer.ydisp>=this.buffer.ybase&&(this._userScrolling=!1);var n=this.buffer.ydisp;this.buffer.ydisp=Math.max(Math.min(this.buffer.ydisp+e,this.buffer.ybase),0),n!==this.buffer.ydisp&&(t||this.emit("scroll",this.buffer.ydisp),this.refresh(0,this.rows-1))},t.prototype.scrollPages=function(e){this.scrollLines(e*(this.rows-1))},t.prototype.scrollToTop=function(){this.scrollLines(-this.buffer.ydisp)},t.prototype.scrollToBottom=function(){this.scrollLines(this.buffer.ybase-this.buffer.ydisp)},t.prototype.scrollToLine=function(e){var t=e-this.buffer.ydisp;0!==t&&this.scrollLines(t)},t.prototype.write=function(e){var t=this;this._isDisposed||e&&(this.writeBuffer.push(e),this.options.useFlowControl&&!this._xoffSentToCatchUp&&this.writeBuffer.length>=5&&(this.handler(p.C0.DC3),this._xoffSentToCatchUp=!0),!this._writeInProgress&&this.writeBuffer.length>0&&(this._writeInProgress=!0,setTimeout(function(){t._innerWrite()})))},t.prototype._innerWrite=function(e){var t=this;void 0===e&&(e=0),this._isDisposed&&(this.writeBuffer=[]);for(var n=Date.now();this.writeBuffer.length>e;){var r=this.writeBuffer[e];if(e++,this._xoffSentToCatchUp&&this.writeBuffer.length===e&&(this.handler(p.C0.DC1),this._xoffSentToCatchUp=!1),this._refreshStart=this.buffer.y,this._refreshEnd=this.buffer.y,this._inputHandler.parse(r),this.updateRange(this.buffer.y),this.refresh(this._refreshStart,this._refreshEnd),Date.now()-n>=12)break}this.writeBuffer.length>e?setTimeout(function(){return t._innerWrite(e)},0):(this._writeInProgress=!1,this.writeBuffer=[])},t.prototype.writeln=function(e){this.write(e+"\r\n")},t.prototype.attachCustomKeyEventHandler=function(e){this._customKeyEventHandler=e},t.prototype.addCsiHandler=function(e,t){return this._inputHandler.addCsiHandler(e,t)},t.prototype.addOscHandler=function(e,t){return this._inputHandler.addOscHandler(e,t)},t.prototype.registerLinkMatcher=function(e,t,n){var r=this.linkifier.registerLinkMatcher(e,t,n);return this.refresh(0,this.rows-1),r},t.prototype.deregisterLinkMatcher=function(e){this.linkifier.deregisterLinkMatcher(e)&&this.refresh(0,this.rows-1)},t.prototype.registerCharacterJoiner=function(e){var t=this.renderer.registerCharacterJoiner(e);return this.refresh(0,this.rows-1),t},t.prototype.deregisterCharacterJoiner=function(e){this.renderer.deregisterCharacterJoiner(e)&&this.refresh(0,this.rows-1)},Object.defineProperty(t.prototype,"markers",{get:function(){return this.buffer.markers},enumerable:!0,configurable:!0}),t.prototype.addMarker=function(e){if(this.buffer===this.buffers.normal)return this.buffer.addMarker(this.buffer.ybase+this.buffer.y+e)},t.prototype.hasSelection=function(){return!!this.selectionManager&&this.selectionManager.hasSelection},t.prototype.getSelection=function(){return this.selectionManager?this.selectionManager.selectionText:""},t.prototype.clearSelection=function(){this.selectionManager&&this.selectionManager.clearSelection()},t.prototype.selectAll=function(){this.selectionManager&&this.selectionManager.selectAll()},t.prototype.selectLines=function(e,t){this.selectionManager&&this.selectionManager.selectLines(e,t)},t.prototype._keyDown=function(e){if(this._customKeyEventHandler&&!1===this._customKeyEventHandler(e))return!1;if(!this._compositionHelper.keydown(e))return this.buffer.ybase!==this.buffer.ydisp&&this.scrollToBottom(),!1;var t=S.evaluateKeyboardEvent(e,this.applicationCursor,this.browser.isMac,this.options.macOptionIsMeta);if(this.updateCursorStyle(e),3===t.type||2===t.type){var n=this.rows-1;return this.scrollLines(2===t.type?-n:n),this.cancel(e,!0)}return 1===t.type&&this.selectAll(),!!this._isThirdLevelShift(this.browser,e)||(t.cancel&&this.cancel(e,!0),!t.key||(this.emit("keydown",e),this.emit("key",t.key,e),this.showCursor(),this.handler(t.key),this.cancel(e,!0)))},t.prototype._isThirdLevelShift=function(e,t){var n=e.isMac&&!this.options.macOptionIsMeta&&t.altKey&&!t.ctrlKey&&!t.metaKey||e.isMSWindows&&t.altKey&&t.ctrlKey&&!t.metaKey;return"keypress"===t.type?n:n&&(!t.keyCode||t.keyCode>47)},t.prototype.setgLevel=function(e){this.glevel=e,this.charset=this.charsets[e]},t.prototype.setgCharset=function(e,t){this.charsets[e]=t,this.glevel===e&&(this.charset=t)},t.prototype._keyUp=function(e){this.updateCursorStyle(e)},t.prototype._keyPress=function(e){var t;if(this._customKeyEventHandler&&!1===this._customKeyEventHandler(e))return!1;if(this.cancel(e),e.charCode)t=e.charCode;else if(null===e.which||void 0===e.which)t=e.keyCode;else{if(0===e.which||0===e.charCode)return!1;t=e.which}return!(!t||(e.altKey||e.ctrlKey||e.metaKey)&&!this._isThirdLevelShift(this.browser,e))&&(t=String.fromCharCode(t),this.emit("keypress",t,e),this.emit("key",t,e),this.showCursor(),this.handler(t),!0)},t.prototype.bell=function(){var e=this;this.emit("bell"),this._soundBell()&&this.soundManager.playBellSound(),this._visualBell()&&(this.element.classList.add("visual-bell-active"),clearTimeout(this._visualBellTimer),this._visualBellTimer=window.setTimeout(function(){e.element.classList.remove("visual-bell-active")},200))},t.prototype.log=function(e,t){this.options.debug&&this._context.console&&this._context.console.log&&this._context.console.log(e,t)},t.prototype.error=function(e,t){this.options.debug&&this._context.console&&this._context.console.error&&this._context.console.error(e,t)},t.prototype.resize=function(e,t){isNaN(e)||isNaN(t)||(e!==this.cols||t!==this.rows?(e<2&&(e=2),t<1&&(t=1),this.buffers.resize(e,t),this.cols=e,this.rows=t,this.buffers.setupTabStops(this.cols),this.charMeasure&&this.charMeasure.measure(this.options),this.refresh(0,this.rows-1),this.emit("resize",{cols:e,rows:t})):!this.charMeasure||this.charMeasure.width&&this.charMeasure.height||this.charMeasure.measure(this.options))},t.prototype.updateRange=function(e){e<this._refreshStart&&(this._refreshStart=e),e>this._refreshEnd&&(this._refreshEnd=e)},t.prototype.maxRange=function(){this._refreshStart=0,this._refreshEnd=this.rows-1},t.prototype.clear=function(){if(0!==this.buffer.ybase||0!==this.buffer.y){this.buffer.lines.set(0,this.buffer.lines.get(this.buffer.ybase+this.buffer.y)),this.buffer.lines.length=1,this.buffer.ydisp=0,this.buffer.ybase=0,this.buffer.y=0;for(var e=1;e<this.rows;e++)this.buffer.lines.push(this.buffer.getBlankLine(a.DEFAULT_ATTR));this.refresh(0,this.rows-1),this.emit("scroll",this.buffer.ydisp)}},t.prototype.ch=function(e){return e?[this.eraseAttr(),a.NULL_CELL_CHAR,a.NULL_CELL_WIDTH,a.NULL_CELL_CODE]:[a.DEFAULT_ATTR,a.NULL_CELL_CHAR,a.NULL_CELL_WIDTH,a.NULL_CELL_CODE]},t.prototype.is=function(e){return 0===(this.options.termName+"").indexOf(e)},t.prototype.handler=function(e){this.options.disableStdin||(this.selectionManager&&this.selectionManager.hasSelection&&this.selectionManager.clearSelection(),this.buffer.ybase!==this.buffer.ydisp&&this.scrollToBottom(),this.emit("data",e))},t.prototype.handleTitle=function(e){this.emit("title",e)},t.prototype.index=function(){this.buffer.y++,this.buffer.y>this.buffer.scrollBottom&&(this.buffer.y--,this.scroll()),this.buffer.x>=this.cols&&this.buffer.x--},t.prototype.reverseIndex=function(){if(this.buffer.y===this.buffer.scrollTop){var e=this.buffer.scrollBottom-this.buffer.scrollTop;this.buffer.lines.shiftElements(this.buffer.y+this.buffer.ybase,e,1),this.buffer.lines.set(this.buffer.y+this.buffer.ybase,this.buffer.getBlankLine(this.eraseAttr())),this.updateRange(this.buffer.scrollTop),this.updateRange(this.buffer.scrollBottom)}else this.buffer.y--},t.prototype.reset=function(){this.options.rows=this.rows,this.options.cols=this.cols;var e=this._customKeyEventHandler,t=this._inputHandler,n=this.cursorState;this._setup(),this._customKeyEventHandler=e,this._inputHandler=t,this.cursorState=n,this.refresh(0,this.rows-1),this.viewport&&this.viewport.syncScrollArea()},t.prototype.tabSet=function(){this.buffer.tabs[this.buffer.x]=!0},t.prototype.cancel=function(e,t){if(this.options.cancelEvents||t)return e.preventDefault(),e.stopPropagation(),!1},t.prototype.matchColor=function(e,t,n){var r=e<<16|t<<8|n;if(null!==L[r]&&void 0!==L[r])return L[r];for(var o,i,a=1/0,s=-1,l=0;l<x.DEFAULT_ANSI_COLORS.length;l++){if(0===(i=I(e,t,n,(o=x.DEFAULT_ANSI_COLORS[l].rgba)>>>24,o>>>16&255,o>>>8&255))){s=l;break}i<a&&(a=i,s=l)}return L[r]=s},t.prototype._visualBell=function(){return!1},t.prototype._soundBell=function(){return"sound"===this.options.bellStyle},t}(l.EventEmitter);t.Terminal=R;var L={};function I(e,t,n,r,o,i){return Math.pow(30*(e-r),2)+Math.pow(59*(t-o),2)+Math.pow(11*(n-i),2)}},3059:function(e,t,n){"use strict";var r,o=this&&this.__extends||(r=function(e,t){return(r=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(e,t){e.__proto__=t}||function(e,t){for(var n in t)t.hasOwnProperty(n)&&(e[n]=t[n])})(e,t)},function(e,t){function n(){this.constructor=e}r(e,t),e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)});Object.defineProperty(t,"__esModule",{value:!0});var i=n(1644),a=function(e){function t(t){var n=e.call(this)||this;return n._terminal=t,n._normal=new i.Buffer(n._terminal,!0),n._normal.fillViewportRows(),n._alt=new i.Buffer(n._terminal,!1),n._activeBuffer=n._normal,n.setupTabStops(),n}return o(t,e),Object.defineProperty(t.prototype,"alt",{get:function(){return this._alt},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"active",{get:function(){return this._activeBuffer},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"normal",{get:function(){return this._normal},enumerable:!0,configurable:!0}),t.prototype.activateNormalBuffer=function(){this._activeBuffer!==this._normal&&(this._normal.x=this._alt.x,this._normal.y=this._alt.y,this._alt.clear(),this._activeBuffer=this._normal,this.emit("activate",{activeBuffer:this._normal,inactiveBuffer:this._alt}))},t.prototype.activateAltBuffer=function(e){this._activeBuffer!==this._alt&&(this._alt.fillViewportRows(e),this._alt.x=this._normal.x,this._alt.y=this._normal.y,this._activeBuffer=this._alt,this.emit("activate",{activeBuffer:this._alt,inactiveBuffer:this._normal}))},t.prototype.resize=function(e,t){this._normal.resize(e,t),this._alt.resize(e,t)},t.prototype.setupTabStops=function(e){this._normal.setupTabStops(e),this._alt.setupTabStops(e)},t}(n(1653).EventEmitter);t.BufferSet=a},3060:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=n(1644),o=3,i=function(){function e(e,t,n){if(void 0===n&&(n=!1),this.isWrapped=n,this._data=null,this._combined={},t||(t=[0,r.NULL_CELL_CHAR,r.NULL_CELL_WIDTH,r.NULL_CELL_CODE]),e){this._data=new Uint32Array(e*o);for(var i=0;i<e;++i)this.set(i,t)}this.length=e}return e.prototype.get=function(e){var t=this._data[e*o+1];return[this._data[e*o+0],2147483648&t?this._combined[e]:t?String.fromCharCode(t):"",this._data[e*o+2],2147483648&t?this._combined[e].charCodeAt(this._combined[e].length-1):t]},e.prototype.getWidth=function(e){return this._data[e*o+2]},e.prototype.set=function(e,t){this._data[e*o+0]=t[0],t[1].length>1?(this._combined[e]=t[1],this._data[e*o+1]=2147483648|e):this._data[e*o+1]=t[1].charCodeAt(0),this._data[e*o+2]=t[2]},e.prototype.insertCells=function(e,t,n){if(e%=this.length,t<this.length-e){for(var r=this.length-e-t-1;r>=0;--r)this.set(e+t+r,this.get(e+r));for(r=0;r<t;++r)this.set(e+r,n)}else for(r=e;r<this.length;++r)this.set(r,n)},e.prototype.deleteCells=function(e,t,n){if(e%=this.length,t<this.length-e){for(var r=0;r<this.length-e-t;++r)this.set(e+r,this.get(e+t+r));for(r=this.length-t;r<this.length;++r)this.set(r,n)}else for(r=e;r<this.length;++r)this.set(r,n)},e.prototype.replaceCells=function(e,t,n){for(;e<t&&e<this.length;)this.set(e++,n)},e.prototype.resize=function(e,t){if(e!==this.length){if(e>this.length){var n=new Uint32Array(e*o);this.length&&(e*o<this._data.length?n.set(this._data.subarray(0,e*o)):n.set(this._data)),this._data=n;for(var r=this.length;r<e;++r)this.set(r,t)}else if(e){(n=new Uint32Array(e*o)).set(this._data.subarray(0,e*o)),this._data=n;var i=Object.keys(this._combined);for(r=0;r<i.length;r++){var a=parseInt(i[r],10);a>=e&&delete this._combined[a]}}else this._data=null,this._combined={};this.length=e}},e.prototype.fill=function(e){this._combined={};for(var t=0;t<this.length;++t)this.set(t,e)},e.prototype.copyFrom=function(e){for(var t in this.length!==e.length?this._data=new Uint32Array(e._data):this._data.set(e._data),this.length=e.length,this._combined={},e._combined)this._combined[t]=e._combined[t];this.isWrapped=e.isWrapped},e.prototype.clone=function(){var t=new e(0);for(var n in t._data=new Uint32Array(this._data),t.length=this.length,this._combined)t._combined[n]=this._combined[n];return t.isWrapped=this.isWrapped,t},e.prototype.getTrimmedLength=function(){for(var e=this.length-1;e>=0;--e)if(0!==this._data[e*o+1])return e+this._data[e*o+2];return 0},e.prototype.copyCellsFrom=function(e,t,n,r,i){var a=e._data;if(i)for(var s=r-1;s>=0;s--)for(var l=0;l<o;l++)this._data[(n+s)*o+l]=a[(t+s)*o+l];else for(s=0;s<r;s++)for(l=0;l<o;l++)this._data[(n+s)*o+l]=a[(t+s)*o+l];var c=Object.keys(e._combined);for(l=0;l<c.length;l++){var u=parseInt(c[l],10);u>=t&&(this._combined[u-t+n]=e._combined[u])}},e.prototype.translateToString=function(e,t,n){void 0===e&&(e=!1),void 0===t&&(t=0),void 0===n&&(n=this.length),e&&(n=Math.min(n,this.getTrimmedLength()));for(var i="";t<n;){var a=this._data[t*o+1];i+=2147483648&a?this._combined[t]:a?String.fromCharCode(a):r.WHITESPACE_CELL_CHAR,t+=this._data[t*o+2]||1}return i},e}();t.BufferLine=i},3061:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=n(1644);function o(e,t,n){if(t===e.length-1)return e[t].getTrimmedLength();var o=e[t].get(n-1),i=""===o[r.CHAR_DATA_CHAR_INDEX]&&1===o[r.CHAR_DATA_WIDTH_INDEX],a=2===e[t+1].getWidth(0);return i&&a?n-1:n}t.reflowLargerGetLinesToRemove=function(e,t,n,i){for(var a=[],s=0;s<e.length-1;s++){var l=s,c=e.get(++l);if(c.isWrapped){for(var u=[e.get(s)];l<e.length&&c.isWrapped;)u.push(c),c=e.get(++l);if(i>=s&&i<l)s+=u.length-1;else{for(var p=0,d=o(u,p,t),f=1,h=0;f<u.length;){var m=o(u,f,t),b=m-h,g=n-d,_=Math.min(b,g);u[p].copyCellsFrom(u[f],h,d,_,!1),(d+=_)===n&&(p++,d=0),(h+=_)===m&&(f++,h=0),0===d&&0!==p&&2===u[p-1].getWidth(n-1)&&(u[p].copyCellsFrom(u[p-1],n-1,d++,1,!1),u[p-1].set(n-1,r.FILL_CHAR_DATA))}u[p].replaceCells(d,n,r.FILL_CHAR_DATA);for(var v=0,y=u.length-1;y>0&&(y>p||0===u[y].getTrimmedLength());y--)v++;v>0&&(a.push(s+u.length-v),a.push(v)),s+=u.length-1}}}return a},t.reflowLargerCreateNewLayout=function(e,t){for(var n=[],r=0,o=t[r],i=0,a=0;a<e.length;a++)if(o===a){var s=t[++r];e.emit("delete",{index:a-i,amount:s}),a+=s-1,i+=s,o=t[++r]}else n.push(a);return{layout:n,countRemoved:i}},t.reflowLargerApplyNewLayout=function(e,t){for(var n=[],r=0;r<t.length;r++)n.push(e.get(t[r]));for(r=0;r<n.length;r++)e.set(r,n[r]);e.length=t.length},t.reflowSmallerGetNewLineLengths=function(e,t,n){for(var r=[],i=e.map(function(n,r){return o(e,r,t)}).reduce(function(e,t){return e+t}),a=0,s=0,l=0;l<i;){if(i-l<n){r.push(i-l);break}a+=n;var c=o(e,s,t);a>c&&(a-=c,s++);var u=2===e[s].getWidth(a-1);u&&a--;var p=u?n-1:n;r.push(p),l+=p}return r},t.getWrappedLineTrimmedLength=o},3062:function(e,t,n){"use strict";var r,o=this&&this.__extends||(r=function(e,t){return(r=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(e,t){e.__proto__=t}||function(e,t){for(var n in t)t.hasOwnProperty(n)&&(e[n]=t[n])})(e,t)},function(e,t){function n(){this.constructor=e}r(e,t),e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)});Object.defineProperty(t,"__esModule",{value:!0});var i=function(e){function t(t){var n=e.call(this)||this;return n._maxLength=t,n._array=new Array(n._maxLength),n._startIndex=0,n._length=0,n}return o(t,e),Object.defineProperty(t.prototype,"maxLength",{get:function(){return this._maxLength},set:function(e){if(this._maxLength!==e){for(var t=new Array(e),n=0;n<Math.min(e,this.length);n++)t[n]=this._array[this._getCyclicIndex(n)];this._array=t,this._maxLength=e,this._startIndex=0}},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"length",{get:function(){return this._length},set:function(e){if(e>this._length)for(var t=this._length;t<e;t++)this._array[t]=void 0;this._length=e},enumerable:!0,configurable:!0}),t.prototype.get=function(e){return this._array[this._getCyclicIndex(e)]},t.prototype.set=function(e,t){this._array[this._getCyclicIndex(e)]=t},t.prototype.push=function(e){this._array[this._getCyclicIndex(this._length)]=e,this._length===this._maxLength?(this._startIndex=++this._startIndex%this._maxLength,this.emitMayRemoveListeners("trim",1)):this._length++},t.prototype.recycle=function(){if(this._length!==this._maxLength)throw new Error("Can only recycle when the buffer is full");return this._startIndex=++this._startIndex%this._maxLength,this.emitMayRemoveListeners("trim",1),this._array[this._getCyclicIndex(this._length-1)]},Object.defineProperty(t.prototype,"isFull",{get:function(){return this._length===this._maxLength},enumerable:!0,configurable:!0}),t.prototype.pop=function(){return this._array[this._getCyclicIndex(this._length---1)]},t.prototype.splice=function(e,t){for(var n=[],r=2;r<arguments.length;r++)n[r-2]=arguments[r];if(t){for(var o=e;o<this._length-t;o++)this._array[this._getCyclicIndex(o)]=this._array[this._getCyclicIndex(o+t)];this._length-=t}for(o=this._length-1;o>=e;o--)this._array[this._getCyclicIndex(o+n.length)]=this._array[this._getCyclicIndex(o)];for(o=0;o<n.length;o++)this._array[this._getCyclicIndex(e+o)]=n[o];if(this._length+n.length>this._maxLength){var i=this._length+n.length-this._maxLength;this._startIndex+=i,this._length=this._maxLength,this.emitMayRemoveListeners("trim",i)}else this._length+=n.length},t.prototype.trimStart=function(e){e>this._length&&(e=this._length),this._startIndex+=e,this._length-=e,this.emitMayRemoveListeners("trim",e)},t.prototype.shiftElements=function(e,t,n){if(!(t<=0)){if(e<0||e>=this._length)throw new Error("start argument out of range");if(e+n<0)throw new Error("Cannot shift elements in list beyond index 0");if(n>0){for(var r=t-1;r>=0;r--)this.set(e+r+n,this.get(e+r));var o=e+t+n-this._length;if(o>0)for(this._length+=o;this._length>this._maxLength;)this._length--,this._startIndex++,this.emitMayRemoveListeners("trim",1)}else for(r=0;r<t;r++)this.set(e+r+n,this.get(e+r))}},t.prototype._getCyclicIndex=function(e){return(this._startIndex+e)%this._maxLength},t}(n(1653).EventEmitter);t.CircularList=i},3063:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=function(){function e(e,t,n){this._textarea=e,this._compositionView=t,this._terminal=n,this._isComposing=!1,this._isSendingComposition=!1,this._compositionPosition={start:null,end:null}}return e.prototype.compositionstart=function(){this._isComposing=!0,this._compositionPosition.start=this._textarea.value.length,this._compositionView.textContent="",this._compositionView.classList.add("active")},e.prototype.compositionupdate=function(e){var t=this;this._compositionView.textContent=e.data,this.updateCompositionElements(),setTimeout(function(){t._compositionPosition.end=t._textarea.value.length},0)},e.prototype.compositionend=function(){this._finalizeComposition(!0)},e.prototype.keydown=function(e){if(this._isComposing||this._isSendingComposition){if(229===e.keyCode)return!1;if(16===e.keyCode||17===e.keyCode||18===e.keyCode)return!1;this._finalizeComposition(!1)}return 229!==e.keyCode||(this._handleAnyTextareaChanges(),!1)},e.prototype._finalizeComposition=function(e){var t=this;if(this._compositionView.classList.remove("active"),this._isComposing=!1,this._clearTextareaPosition(),e){var n={start:this._compositionPosition.start,end:this._compositionPosition.end};this._isSendingComposition=!0,setTimeout(function(){if(t._isSendingComposition){t._isSendingComposition=!1;var e=void 0;e=t._isComposing?t._textarea.value.substring(n.start,n.end):t._textarea.value.substring(n.start),t._terminal.handler(e)}},0)}else{this._isSendingComposition=!1;var r=this._textarea.value.substring(this._compositionPosition.start,this._compositionPosition.end);this._terminal.handler(r)}},e.prototype._handleAnyTextareaChanges=function(){var e=this,t=this._textarea.value;setTimeout(function(){if(!e._isComposing){var n=e._textarea.value.replace(t,"");n.length>0&&e._terminal.handler(n)}},0)},e.prototype.updateCompositionElements=function(e){var t=this;if(this._isComposing){if(this._terminal.buffer.isCursorInViewport){var n=Math.ceil(this._terminal.charMeasure.height*this._terminal.options.lineHeight),r=this._terminal.buffer.y*n,o=this._terminal.buffer.x*this._terminal.charMeasure.width;this._compositionView.style.left=o+"px",this._compositionView.style.top=r+"px",this._compositionView.style.height=n+"px",this._compositionView.style.lineHeight=n+"px",this._compositionView.style.fontFamily=this._terminal.options.fontFamily,this._compositionView.style.fontSize=this._terminal.options.fontSize+"px";var i=this._compositionView.getBoundingClientRect();this._textarea.style.left=o+"px",this._textarea.style.top=r+"px",this._textarea.style.width=i.width+"px",this._textarea.style.height=i.height+"px",this._textarea.style.lineHeight=i.height+"px"}e||setTimeout(function(){return t.updateCompositionElements(!0)},0)}},e.prototype._clearTextareaPosition=function(){this._textarea.style.left="",this._textarea.style.top=""},e}();t.CompositionHelper=r},3064:function(e,t,n){"use strict";var r,o=this&&this.__extends||(r=function(e,t){return(r=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(e,t){e.__proto__=t}||function(e,t){for(var n in t)t.hasOwnProperty(n)&&(e[n]=t[n])})(e,t)},function(e,t){function n(){this.constructor=e}r(e,t),e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)});Object.defineProperty(t,"__esModule",{value:!0});var i=n(1678),a=n(1764),s=15,l=function(e){function t(t,n,r,o){var i=e.call(this)||this;return i._terminal=t,i._viewportElement=n,i._scrollArea=r,i._charMeasure=o,i.scrollBarWidth=0,i._currentRowHeight=0,i._lastRecordedBufferLength=0,i._lastRecordedViewportHeight=0,i._lastRecordedBufferHeight=0,i._lastScrollTop=0,i._wheelPartialScroll=0,i._refreshAnimationFrame=null,i._ignoreNextScrollEvent=!1,i.scrollBarWidth=i._viewportElement.offsetWidth-i._scrollArea.offsetWidth||s,i.register(a.addDisposableDomListener(i._viewportElement,"scroll",i._onScroll.bind(i))),setTimeout(function(){return i.syncScrollArea()},0),i}return o(t,e),t.prototype.onThemeChanged=function(e){this._viewportElement.style.backgroundColor=e.background.css},t.prototype._refresh=function(){var e=this;null===this._refreshAnimationFrame&&(this._refreshAnimationFrame=requestAnimationFrame(function(){return e._innerRefresh()}))},t.prototype._innerRefresh=function(){if(this._charMeasure.height>0){this._currentRowHeight=this._terminal.renderer.dimensions.scaledCellHeight/window.devicePixelRatio,this._lastRecordedViewportHeight=this._viewportElement.offsetHeight;var e=Math.round(this._currentRowHeight*this._lastRecordedBufferLength)+(this._lastRecordedViewportHeight-this._terminal.renderer.dimensions.canvasHeight);this._lastRecordedBufferHeight!==e&&(this._lastRecordedBufferHeight=e,this._scrollArea.style.height=this._lastRecordedBufferHeight+"px")}var t=this._terminal.buffer.ydisp*this._currentRowHeight;this._viewportElement.scrollTop!==t&&(this._ignoreNextScrollEvent=!0,this._viewportElement.scrollTop=t),this._refreshAnimationFrame=null},t.prototype.syncScrollArea=function(){if(this._lastRecordedBufferLength!==this._terminal.buffer.lines.length)return this._lastRecordedBufferLength=this._terminal.buffer.lines.length,void this._refresh();if(this._lastRecordedViewportHeight===this._terminal.renderer.dimensions.canvasHeight){var e=this._terminal.buffer.ydisp*this._currentRowHeight;this._lastScrollTop===e&&this._lastScrollTop===this._viewportElement.scrollTop&&this._terminal.renderer.dimensions.scaledCellHeight/window.devicePixelRatio===this._currentRowHeight||this._refresh()}else this._refresh()},t.prototype._onScroll=function(e){if(this._lastScrollTop=this._viewportElement.scrollTop,this._viewportElement.offsetParent)if(this._ignoreNextScrollEvent)this._ignoreNextScrollEvent=!1;else{var t=Math.round(this._lastScrollTop/this._currentRowHeight)-this._terminal.buffer.ydisp;this._terminal.scrollLines(t,!0)}},t.prototype.onWheel=function(e){var t=this._getPixelsScrolled(e);0!==t&&(this._viewportElement.scrollTop+=t,e.preventDefault())},t.prototype._getPixelsScrolled=function(e){if(0===e.deltaY)return 0;var t=e.deltaY;return e.deltaMode===WheelEvent.DOM_DELTA_LINE?t*=this._currentRowHeight:e.deltaMode===WheelEvent.DOM_DELTA_PAGE&&(t*=this._currentRowHeight*this._terminal.rows),t},t.prototype.getLinesScrolled=function(e){if(0===e.deltaY)return 0;var t=e.deltaY;return e.deltaMode===WheelEvent.DOM_DELTA_PIXEL?(t/=this._currentRowHeight+0,this._wheelPartialScroll+=t,t=Math.floor(Math.abs(this._wheelPartialScroll))*(this._wheelPartialScroll>0?1:-1),this._wheelPartialScroll%=1):e.deltaMode===WheelEvent.DOM_DELTA_PAGE&&(t*=this._terminal.rows),t},t.prototype.onTouchStart=function(e){this._lastTouchY=e.touches[0].pageY},t.prototype.onTouchMove=function(e){var t=this._lastTouchY-e.touches[0].pageY;this._lastTouchY=e.touches[0].pageY,0!==t&&(this._viewportElement.scrollTop+=t,e.preventDefault())},t}(i.Disposable);t.Viewport=l},3065:function(e,t,n){"use strict";function r(e){return e.replace(/\r?\n/g,"\r")}function o(e,t){return t?"[200~"+e+"[201~":e}function i(e,t){var n=t.screenElement.getBoundingClientRect(),r=e.clientX-n.left-10,o=e.clientY-n.top-10;t.textarea.style.position="absolute",t.textarea.style.width="20px",t.textarea.style.height="20px",t.textarea.style.left=r+"px",t.textarea.style.top=o+"px",t.textarea.style.zIndex="1000",t.textarea.focus(),setTimeout(function(){t.textarea.style.position=null,t.textarea.style.width=null,t.textarea.style.height=null,t.textarea.style.left=null,t.textarea.style.top=null,t.textarea.style.zIndex=null},200)}Object.defineProperty(t,"__esModule",{value:!0}),t.prepareTextForTerminal=r,t.bracketTextForPaste=o,t.copyHandler=function(e,t,n){t.browser.isMSIE?window.clipboardData.setData("Text",n.selectionText):e.clipboardData.setData("text/plain",n.selectionText),e.preventDefault()},t.pasteHandler=function(e,t){e.stopPropagation();var n=function(n){n=o(n=r(n),t.bracketedPasteMode),t.handler(n),t.textarea.value="",t.emit("paste",n),t.cancel(e)};t.browser.isMSIE?window.clipboardData&&n(window.clipboardData.getData("Text")):e.clipboardData&&n(e.clipboardData.getData("text/plain"))},t.moveTextAreaUnderMouseCursor=i,t.rightClickHandler=function(e,t,n,r){i(e,t),r&&!n.isClickInSelection(e)&&n.selectWordAtCursor(e),t.textarea.value=n.selectionText,t.textarea.select()}},3066:function(e,t,n){"use strict";var r,o=this&&this.__extends||(r=function(e,t){return(r=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(e,t){e.__proto__=t}||function(e,t){for(var n in t)t.hasOwnProperty(n)&&(e[n]=t[n])})(e,t)},function(e,t){function n(){this.constructor=e}r(e,t),e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)});Object.defineProperty(t,"__esModule",{value:!0});var i=n(1765),a=n(3067),s=n(1644),l=n(2007),c=n(3068),u=n(1678),p=n(2008),d=n(2009),f={"(":0,")":1,"*":2,"+":3,"-":1,".":2},h=function(){function e(e){this._terminal=e,this._data=new Uint32Array(0)}return e.prototype.hook=function(e,t,n){this._data=new Uint32Array(0)},e.prototype.put=function(e,t,n){this._data=p.concat(this._data,e.subarray(t,n))},e.prototype.unhook=function(){var e=d.utf32ToString(this._data);switch(this._data=new Uint32Array(0),e){case'"q':return this._terminal.handler(i.C0.ESC+'P1$r0"q'+i.C0.ESC+"\\");case'"p':return this._terminal.handler(i.C0.ESC+'P1$r61"p'+i.C0.ESC+"\\");case"r":var t=this._terminal.buffer.scrollTop+1+";"+(this._terminal.buffer.scrollBottom+1)+"r";return this._terminal.handler(i.C0.ESC+"P1$r"+t+i.C0.ESC+"\\");case"m":return this._terminal.handler(i.C0.ESC+"P1$r0m"+i.C0.ESC+"\\");case" q":var n={block:2,underline:4,bar:6}[this._terminal.getOption("cursorStyle")];return n-=this._terminal.getOption("cursorBlink"),this._terminal.handler(i.C0.ESC+"P1$r"+n+" q"+i.C0.ESC+"\\");default:this._terminal.error("Unknown DCS $q %s",e),this._terminal.handler(i.C0.ESC+"P0$r"+i.C0.ESC+"\\")}},e}(),m=function(e){function t(t,n){void 0===n&&(n=new c.EscapeSequenceParser);var r=e.call(this)||this;r._terminal=t,r._parser=n,r._parseBuffer=new Uint32Array(4096),r._stringDecoder=new d.StringToUtf32,r.register(r._parser),r._parser.setCsiHandlerFallback(function(e,t,n){r._terminal.error("Unknown CSI code: ",{collect:e,params:t,flag:String.fromCharCode(n)})}),r._parser.setEscHandlerFallback(function(e,t){r._terminal.error("Unknown ESC code: ",{collect:e,flag:String.fromCharCode(t)})}),r._parser.setExecuteHandlerFallback(function(e){r._terminal.error("Unknown EXECUTE code: ",{code:e})}),r._parser.setOscHandlerFallback(function(e,t){r._terminal.error("Unknown OSC code: ",{identifier:e,data:t})}),r._parser.setPrintHandler(function(e,t,n){return r.print(e,t,n)}),r._parser.setCsiHandler("@",function(e,t){return r.insertChars(e)}),r._parser.setCsiHandler("A",function(e,t){return r.cursorUp(e)}),r._parser.setCsiHandler("B",function(e,t){return r.cursorDown(e)}),r._parser.setCsiHandler("C",function(e,t){return r.cursorForward(e)}),r._parser.setCsiHandler("D",function(e,t){return r.cursorBackward(e)}),r._parser.setCsiHandler("E",function(e,t){return r.cursorNextLine(e)}),r._parser.setCsiHandler("F",function(e,t){return r.cursorPrecedingLine(e)}),r._parser.setCsiHandler("G",function(e,t){return r.cursorCharAbsolute(e)}),r._parser.setCsiHandler("H",function(e,t){return r.cursorPosition(e)}),r._parser.setCsiHandler("I",function(e,t){return r.cursorForwardTab(e)}),r._parser.setCsiHandler("J",function(e,t){return r.eraseInDisplay(e)}),r._parser.setCsiHandler("K",function(e,t){return r.eraseInLine(e)}),r._parser.setCsiHandler("L",function(e,t){return r.insertLines(e)}),r._parser.setCsiHandler("M",function(e,t){return r.deleteLines(e)}),r._parser.setCsiHandler("P",function(e,t){return r.deleteChars(e)}),r._parser.setCsiHandler("S",function(e,t){return r.scrollUp(e)}),r._parser.setCsiHandler("T",function(e,t){return r.scrollDown(e,t)}),r._parser.setCsiHandler("X",function(e,t){return r.eraseChars(e)}),r._parser.setCsiHandler("Z",function(e,t){return r.cursorBackwardTab(e)}),r._parser.setCsiHandler("`",function(e,t){return r.charPosAbsolute(e)}),r._parser.setCsiHandler("a",function(e,t){return r.hPositionRelative(e)}),r._parser.setCsiHandler("b",function(e,t){return r.repeatPrecedingCharacter(e)}),r._parser.setCsiHandler("c",function(e,t){return r.sendDeviceAttributes(e,t)}),r._parser.setCsiHandler("d",function(e,t){return r.linePosAbsolute(e)}),r._parser.setCsiHandler("e",function(e,t){return r.vPositionRelative(e)}),r._parser.setCsiHandler("f",function(e,t){return r.hVPosition(e)}),r._parser.setCsiHandler("g",function(e,t){return r.tabClear(e)}),r._parser.setCsiHandler("h",function(e,t){return r.setMode(e,t)}),r._parser.setCsiHandler("l",function(e,t){return r.resetMode(e,t)}),r._parser.setCsiHandler("m",function(e,t){return r.charAttributes(e)}),r._parser.setCsiHandler("n",function(e,t){return r.deviceStatus(e,t)}),r._parser.setCsiHandler("p",function(e,t){return r.softReset(e,t)}),r._parser.setCsiHandler("q",function(e,t){return r.setCursorStyle(e,t)}),r._parser.setCsiHandler("r",function(e,t){return r.setScrollRegion(e,t)}),r._parser.setCsiHandler("s",function(e,t){return r.saveCursor(e)}),r._parser.setCsiHandler("u",function(e,t){return r.restoreCursor(e)}),r._parser.setExecuteHandler(i.C0.BEL,function(){return r.bell()}),r._parser.setExecuteHandler(i.C0.LF,function(){return r.lineFeed()}),r._parser.setExecuteHandler(i.C0.VT,function(){return r.lineFeed()}),r._parser.setExecuteHandler(i.C0.FF,function(){return r.lineFeed()}),r._parser.setExecuteHandler(i.C0.CR,function(){return r.carriageReturn()}),r._parser.setExecuteHandler(i.C0.BS,function(){return r.backspace()}),r._parser.setExecuteHandler(i.C0.HT,function(){return r.tab()}),r._parser.setExecuteHandler(i.C0.SO,function(){return r.shiftOut()}),r._parser.setExecuteHandler(i.C0.SI,function(){return r.shiftIn()}),r._parser.setExecuteHandler(i.C1.IND,function(){return r.index()}),r._parser.setExecuteHandler(i.C1.NEL,function(){return r.nextLine()}),r._parser.setExecuteHandler(i.C1.HTS,function(){return r.tabSet()}),r._parser.setOscHandler(0,function(e){return r.setTitle(e)}),r._parser.setOscHandler(2,function(e){return r.setTitle(e)}),r._parser.setEscHandler("7",function(){return r.saveCursor([])}),r._parser.setEscHandler("8",function(){return r.restoreCursor([])}),r._parser.setEscHandler("D",function(){return r.index()}),r._parser.setEscHandler("E",function(){return r.nextLine()}),r._parser.setEscHandler("H",function(){return r.tabSet()}),r._parser.setEscHandler("M",function(){return r.reverseIndex()}),r._parser.setEscHandler("=",function(){return r.keypadApplicationMode()}),r._parser.setEscHandler(">",function(){return r.keypadNumericMode()}),r._parser.setEscHandler("c",function(){return r.reset()}),r._parser.setEscHandler("n",function(){return r.setgLevel(2)}),r._parser.setEscHandler("o",function(){return r.setgLevel(3)}),r._parser.setEscHandler("|",function(){return r.setgLevel(3)}),r._parser.setEscHandler("}",function(){return r.setgLevel(2)}),r._parser.setEscHandler("~",function(){return r.setgLevel(1)}),r._parser.setEscHandler("%@",function(){return r.selectDefaultCharset()}),r._parser.setEscHandler("%G",function(){return r.selectDefaultCharset()});var o=function(e){s._parser.setEscHandler("("+e,function(){return r.selectCharset("("+e)}),s._parser.setEscHandler(")"+e,function(){return r.selectCharset(")"+e)}),s._parser.setEscHandler("*"+e,function(){return r.selectCharset("*"+e)}),s._parser.setEscHandler("+"+e,function(){return r.selectCharset("+"+e)}),s._parser.setEscHandler("-"+e,function(){return r.selectCharset("-"+e)}),s._parser.setEscHandler("."+e,function(){return r.selectCharset("."+e)}),s._parser.setEscHandler("/"+e,function(){return r.selectCharset("/"+e)})},s=this;for(var l in a.CHARSETS)o(l);return r._parser.setErrorHandler(function(e){return r._terminal.error("Parsing error: ",e),e}),r._parser.setDcsHandler("$q",new h(r._terminal)),r}return o(t,e),t.prototype.dispose=function(){e.prototype.dispose.call(this),this._terminal=null},t.prototype.parse=function(e){if(this._terminal){var t=this._terminal.buffer,n=t.x,r=t.y;this._terminal.debug&&this._terminal.log("data: "+e),this._parseBuffer.length<e.length&&(this._parseBuffer=new Uint32Array(e.length));for(var o=0;o<e.length;++o)this._parseBuffer[o]=e.charCodeAt(o);this._parser.parse(this._parseBuffer,this._stringDecoder.decode(e,this._parseBuffer)),(t=this._terminal.buffer).x===n&&t.y===r||this._terminal.emit("cursormove")}},t.prototype.print=function(e,t,n){var r,o,i,a=this._terminal.buffer,c=this._terminal.charset,u=this._terminal.options.screenReaderMode,p=this._terminal.cols,f=this._terminal.wraparoundMode,h=this._terminal.insertMode,m=this._terminal.curAttr,b=a.lines.get(a.y+a.ybase);this._terminal.updateRange(a.y);for(var g=t;g<n;++g){if(r=e[g],o=d.stringFromCodePoint(r),i=l.wcwidth(r),r<127&&c){var _=c[o];_&&(r=_.charCodeAt(0),o=_)}if(u&&this._terminal.emit("a11y.char",o),i||!a.x){if(a.x+i-1>=p)if(f)a.x=0,a.y++,a.y>a.scrollBottom?(a.y--,this._terminal.scroll(!0)):a.lines.get(a.y).isWrapped=!0,b=a.lines.get(a.y+a.ybase);else if(2===i)continue;if(h)b.insertCells(a.x,i,[m,s.NULL_CELL_CHAR,s.NULL_CELL_WIDTH,s.NULL_CELL_CODE]),2===b.get(p-1)[s.CHAR_DATA_WIDTH_INDEX]&&b.set(p-1,[m,s.NULL_CELL_CHAR,s.NULL_CELL_WIDTH,s.NULL_CELL_CODE]);if(b.set(a.x++,[m,o,i,r]),i>0)for(;--i;)b.set(a.x++,[m,"",0,void 0])}else{var v=b.get(a.x-1);if(v)if(v[s.CHAR_DATA_WIDTH_INDEX])v[s.CHAR_DATA_CHAR_INDEX]+=o,v[s.CHAR_DATA_CODE_INDEX]=r,b.set(a.x-1,v);else{var y=b.get(a.x-2);y&&(y[s.CHAR_DATA_CHAR_INDEX]+=o,y[s.CHAR_DATA_CODE_INDEX]=r,b.set(a.x-2,y))}}}this._terminal.updateRange(a.y)},t.prototype.addCsiHandler=function(e,t){return this._parser.addCsiHandler(e,t)},t.prototype.addOscHandler=function(e,t){return this._parser.addOscHandler(e,t)},t.prototype.bell=function(){this._terminal.bell()},t.prototype.lineFeed=function(){var e=this._terminal.buffer;this._terminal.options.convertEol&&(e.x=0),e.y++,e.y>e.scrollBottom&&(e.y--,this._terminal.scroll()),e.x>=this._terminal.cols&&e.x--,this._terminal.emit("linefeed")},t.prototype.carriageReturn=function(){this._terminal.buffer.x=0},t.prototype.backspace=function(){this._terminal.buffer.x>0&&this._terminal.buffer.x--},t.prototype.tab=function(){var e=this._terminal.buffer.x;this._terminal.buffer.x=this._terminal.buffer.nextStop(),this._terminal.options.screenReaderMode&&this._terminal.emit("a11y.tab",this._terminal.buffer.x-e)},t.prototype.shiftOut=function(){this._terminal.setgLevel(1)},t.prototype.shiftIn=function(){this._terminal.setgLevel(0)},t.prototype.insertChars=function(e){this._terminal.buffer.lines.get(this._terminal.buffer.y+this._terminal.buffer.ybase).insertCells(this._terminal.buffer.x,e[0]||1,[this._terminal.eraseAttr(),s.NULL_CELL_CHAR,s.NULL_CELL_WIDTH,s.NULL_CELL_CODE]),this._terminal.updateRange(this._terminal.buffer.y)},t.prototype.cursorUp=function(e){var t=e[0];t<1&&(t=1),this._terminal.buffer.y-=t,this._terminal.buffer.y<0&&(this._terminal.buffer.y=0)},t.prototype.cursorDown=function(e){var t=e[0];t<1&&(t=1),this._terminal.buffer.y+=t,this._terminal.buffer.y>=this._terminal.rows&&(this._terminal.buffer.y=this._terminal.rows-1),this._terminal.buffer.x>=this._terminal.cols&&this._terminal.buffer.x--},t.prototype.cursorForward=function(e){var t=e[0];t<1&&(t=1),this._terminal.buffer.x+=t,this._terminal.buffer.x>=this._terminal.cols&&(this._terminal.buffer.x=this._terminal.cols-1)},t.prototype.cursorBackward=function(e){var t=e[0];t<1&&(t=1),this._terminal.buffer.x>=this._terminal.cols&&this._terminal.buffer.x--,this._terminal.buffer.x-=t,this._terminal.buffer.x<0&&(this._terminal.buffer.x=0)},t.prototype.cursorNextLine=function(e){var t=e[0];t<1&&(t=1),this._terminal.buffer.y+=t,this._terminal.buffer.y>=this._terminal.rows&&(this._terminal.buffer.y=this._terminal.rows-1),this._terminal.buffer.x=0},t.prototype.cursorPrecedingLine=function(e){var t=e[0];t<1&&(t=1),this._terminal.buffer.y-=t,this._terminal.buffer.y<0&&(this._terminal.buffer.y=0),this._terminal.buffer.x=0},t.prototype.cursorCharAbsolute=function(e){var t=e[0];t<1&&(t=1),this._terminal.buffer.x=t-1},t.prototype.cursorPosition=function(e){var t,n=e[0]-1;t=e.length>=2?e[1]-1:0,n<0?n=0:n>=this._terminal.rows&&(n=this._terminal.rows-1),t<0?t=0:t>=this._terminal.cols&&(t=this._terminal.cols-1),this._terminal.buffer.x=t,this._terminal.buffer.y=n},t.prototype.cursorForwardTab=function(e){for(var t=e[0]||1;t--;)this._terminal.buffer.x=this._terminal.buffer.nextStop()},t.prototype._eraseInBufferLine=function(e,t,n,r){void 0===r&&(r=!1);var o=this._terminal.buffer.lines.get(this._terminal.buffer.ybase+e);o.replaceCells(t,n,[this._terminal.eraseAttr(),s.NULL_CELL_CHAR,s.NULL_CELL_WIDTH,s.NULL_CELL_CODE]),r&&(o.isWrapped=!1)},t.prototype._resetBufferLine=function(e){this._eraseInBufferLine(e,0,this._terminal.cols,!0)},t.prototype.eraseInDisplay=function(e){var t;switch(e[0]){case 0:for(t=this._terminal.buffer.y,this._terminal.updateRange(t),this._eraseInBufferLine(t++,this._terminal.buffer.x,this._terminal.cols,0===this._terminal.buffer.x);t<this._terminal.rows;t++)this._resetBufferLine(t);this._terminal.updateRange(t);break;case 1:for(t=this._terminal.buffer.y,this._terminal.updateRange(t),this._eraseInBufferLine(t,0,this._terminal.buffer.x+1,!0),this._terminal.buffer.x+1>=this._terminal.cols&&(this._terminal.buffer.lines.get(t+1).isWrapped=!1);t--;)this._resetBufferLine(t);this._terminal.updateRange(0);break;case 2:for(t=this._terminal.rows,this._terminal.updateRange(t-1);t--;)this._resetBufferLine(t);this._terminal.updateRange(0);break;case 3:var n=this._terminal.buffer.lines.length-this._terminal.rows;n>0&&(this._terminal.buffer.lines.trimStart(n),this._terminal.buffer.ybase=Math.max(this._terminal.buffer.ybase-n,0),this._terminal.buffer.ydisp=Math.max(this._terminal.buffer.ydisp-n,0),this._terminal.emit("scroll",0))}},t.prototype.eraseInLine=function(e){switch(e[0]){case 0:this._eraseInBufferLine(this._terminal.buffer.y,this._terminal.buffer.x,this._terminal.cols);break;case 1:this._eraseInBufferLine(this._terminal.buffer.y,0,this._terminal.buffer.x+1);break;case 2:this._eraseInBufferLine(this._terminal.buffer.y,0,this._terminal.cols)}this._terminal.updateRange(this._terminal.buffer.y)},t.prototype.insertLines=function(e){var t=e[0];t<1&&(t=1);for(var n=this._terminal.buffer,r=n.y+n.ybase,o=this._terminal.rows-1-n.scrollBottom,i=this._terminal.rows-1+n.ybase-o+1;t--;)n.lines.splice(i-1,1),n.lines.splice(r,0,n.getBlankLine(this._terminal.eraseAttr()));this._terminal.updateRange(n.y),this._terminal.updateRange(n.scrollBottom)},t.prototype.deleteLines=function(e){var t=e[0];t<1&&(t=1);var n,r=this._terminal.buffer,o=r.y+r.ybase;for(n=this._terminal.rows-1-r.scrollBottom,n=this._terminal.rows-1+r.ybase-n;t--;)r.lines.splice(o,1),r.lines.splice(n,0,r.getBlankLine(this._terminal.eraseAttr()));this._terminal.updateRange(r.y),this._terminal.updateRange(r.scrollBottom)},t.prototype.deleteChars=function(e){this._terminal.buffer.lines.get(this._terminal.buffer.y+this._terminal.buffer.ybase).deleteCells(this._terminal.buffer.x,e[0]||1,[this._terminal.eraseAttr(),s.NULL_CELL_CHAR,s.NULL_CELL_WIDTH,s.NULL_CELL_CODE]),this._terminal.updateRange(this._terminal.buffer.y)},t.prototype.scrollUp=function(e){for(var t=e[0]||1,n=this._terminal.buffer;t--;)n.lines.splice(n.ybase+n.scrollTop,1),n.lines.splice(n.ybase+n.scrollBottom,0,n.getBlankLine(s.DEFAULT_ATTR));this._terminal.updateRange(n.scrollTop),this._terminal.updateRange(n.scrollBottom)},t.prototype.scrollDown=function(e,t){if(e.length<2&&!t){for(var n=e[0]||1,r=this._terminal.buffer;n--;)r.lines.splice(r.ybase+r.scrollBottom,1),r.lines.splice(r.ybase+r.scrollBottom,0,r.getBlankLine(s.DEFAULT_ATTR));this._terminal.updateRange(r.scrollTop),this._terminal.updateRange(r.scrollBottom)}},t.prototype.eraseChars=function(e){this._terminal.buffer.lines.get(this._terminal.buffer.y+this._terminal.buffer.ybase).replaceCells(this._terminal.buffer.x,this._terminal.buffer.x+(e[0]||1),[this._terminal.eraseAttr(),s.NULL_CELL_CHAR,s.NULL_CELL_WIDTH,s.NULL_CELL_CODE])},t.prototype.cursorBackwardTab=function(e){for(var t=e[0]||1,n=this._terminal.buffer;t--;)n.x=n.prevStop()},t.prototype.charPosAbsolute=function(e){var t=e[0];t<1&&(t=1),this._terminal.buffer.x=t-1,this._terminal.buffer.x>=this._terminal.cols&&(this._terminal.buffer.x=this._terminal.cols-1)},t.prototype.hPositionRelative=function(e){var t=e[0];t<1&&(t=1),this._terminal.buffer.x+=t,this._terminal.buffer.x>=this._terminal.cols&&(this._terminal.buffer.x=this._terminal.cols-1)},t.prototype.repeatPrecedingCharacter=function(e){var t=this._terminal.buffer,n=t.lines.get(t.ybase+t.y);n.replaceCells(t.x,t.x+(e[0]||1),n.get(t.x-1)||[s.DEFAULT_ATTR,s.NULL_CELL_CHAR,s.NULL_CELL_WIDTH,s.NULL_CELL_CODE])},t.prototype.sendDeviceAttributes=function(e,t){e[0]>0||(t?">"===t&&(this._terminal.is("xterm")?this._terminal.handler(i.C0.ESC+"[>0;276;0c"):this._terminal.is("rxvt-unicode")?this._terminal.handler(i.C0.ESC+"[>85;95;0c"):this._terminal.is("linux")?this._terminal.handler(e[0]+"c"):this._terminal.is("screen")&&this._terminal.handler(i.C0.ESC+"[>83;40003;0c")):this._terminal.is("xterm")||this._terminal.is("rxvt-unicode")||this._terminal.is("screen")?this._terminal.handler(i.C0.ESC+"[?1;2c"):this._terminal.is("linux")&&this._terminal.handler(i.C0.ESC+"[?6c"))},t.prototype.linePosAbsolute=function(e){var t=e[0];t<1&&(t=1),this._terminal.buffer.y=t-1,this._terminal.buffer.y>=this._terminal.rows&&(this._terminal.buffer.y=this._terminal.rows-1)},t.prototype.vPositionRelative=function(e){var t=e[0];t<1&&(t=1),this._terminal.buffer.y+=t,this._terminal.buffer.y>=this._terminal.rows&&(this._terminal.buffer.y=this._terminal.rows-1),this._terminal.buffer.x>=this._terminal.cols&&this._terminal.buffer.x--},t.prototype.hVPosition=function(e){e[0]<1&&(e[0]=1),e[1]<1&&(e[1]=1),this._terminal.buffer.y=e[0]-1,this._terminal.buffer.y>=this._terminal.rows&&(this._terminal.buffer.y=this._terminal.rows-1),this._terminal.buffer.x=e[1]-1,this._terminal.buffer.x>=this._terminal.cols&&(this._terminal.buffer.x=this._terminal.cols-1)},t.prototype.tabClear=function(e){var t=e[0];t<=0?delete this._terminal.buffer.tabs[this._terminal.buffer.x]:3===t&&(this._terminal.buffer.tabs={})},t.prototype.setMode=function(e,t){if(e.length>1)for(var n=0;n<e.length;n++)this.setMode([e[n]]);else if(t){if("?"===t)switch(e[0]){case 1:this._terminal.applicationCursor=!0;break;case 2:this._terminal.setgCharset(0,a.DEFAULT_CHARSET),this._terminal.setgCharset(1,a.DEFAULT_CHARSET),this._terminal.setgCharset(2,a.DEFAULT_CHARSET),this._terminal.setgCharset(3,a.DEFAULT_CHARSET);break;case 3:this._terminal.savedCols=this._terminal.cols,this._terminal.resize(132,this._terminal.rows);break;case 6:this._terminal.originMode=!0;break;case 7:this._terminal.wraparoundMode=!0;break;case 12:break;case 66:this._terminal.log("Serial port requested application keypad."),this._terminal.applicationKeypad=!0,this._terminal.viewport&&this._terminal.viewport.syncScrollArea();break;case 9:case 1e3:case 1002:case 1003:this._terminal.x10Mouse=9===e[0],this._terminal.vt200Mouse=1e3===e[0],this._terminal.normalMouse=e[0]>1e3,this._terminal.mouseEvents=!0,this._terminal.element&&this._terminal.element.classList.add("enable-mouse-events"),this._terminal.selectionManager&&this._terminal.selectionManager.disable(),this._terminal.log("Binding to mouse events.");break;case 1004:this._terminal.sendFocus=!0;break;case 1005:this._terminal.utfMouse=!0;break;case 1006:this._terminal.sgrMouse=!0;break;case 1015:this._terminal.urxvtMouse=!0;break;case 25:this._terminal.cursorHidden=!1;break;case 1048:this.saveCursor(e);break;case 1049:this.saveCursor(e);case 47:case 1047:this._terminal.buffers.activateAltBuffer(this._terminal.eraseAttr()),this._terminal.refresh(0,this._terminal.rows-1),this._terminal.viewport&&this._terminal.viewport.syncScrollArea(),this._terminal.showCursor();break;case 2004:this._terminal.bracketedPasteMode=!0}}else switch(e[0]){case 4:this._terminal.insertMode=!0}},t.prototype.resetMode=function(e,t){if(e.length>1)for(var n=0;n<e.length;n++)this.resetMode([e[n]]);else if(t){if("?"===t)switch(e[0]){case 1:this._terminal.applicationCursor=!1;break;case 3:132===this._terminal.cols&&this._terminal.savedCols&&this._terminal.resize(this._terminal.savedCols,this._terminal.rows),delete this._terminal.savedCols;break;case 6:this._terminal.originMode=!1;break;case 7:this._terminal.wraparoundMode=!1;break;case 12:break;case 66:this._terminal.log("Switching back to normal keypad."),this._terminal.applicationKeypad=!1,this._terminal.viewport&&this._terminal.viewport.syncScrollArea();break;case 9:case 1e3:case 1002:case 1003:this._terminal.x10Mouse=!1,this._terminal.vt200Mouse=!1,this._terminal.normalMouse=!1,this._terminal.mouseEvents=!1,this._terminal.element&&this._terminal.element.classList.remove("enable-mouse-events"),this._terminal.selectionManager&&this._terminal.selectionManager.enable();break;case 1004:this._terminal.sendFocus=!1;break;case 1005:this._terminal.utfMouse=!1;break;case 1006:this._terminal.sgrMouse=!1;break;case 1015:this._terminal.urxvtMouse=!1;break;case 25:this._terminal.cursorHidden=!0;break;case 1048:this.restoreCursor(e);break;case 1049:case 47:case 1047:this._terminal.buffers.activateNormalBuffer(),1049===e[0]&&this.restoreCursor(e),this._terminal.refresh(0,this._terminal.rows-1),this._terminal.viewport&&this._terminal.viewport.syncScrollArea(),this._terminal.showCursor();break;case 2004:this._terminal.bracketedPasteMode=!1}}else switch(e[0]){case 4:this._terminal.insertMode=!1}},t.prototype.charAttributes=function(e){if(1!==e.length||0!==e[0]){for(var t,n=e.length,r=this._terminal.curAttr>>18,o=this._terminal.curAttr>>9&511,i=511&this._terminal.curAttr,a=0;a<n;a++)(t=e[a])>=30&&t<=37?o=t-30:t>=40&&t<=47?i=t-40:t>=90&&t<=97?o=(t+=8)-90:t>=100&&t<=107?i=(t+=8)-100:0===t?(r=s.DEFAULT_ATTR>>18,o=s.DEFAULT_ATTR>>9&511,i=511&s.DEFAULT_ATTR):1===t?r|=1:3===t?r|=64:4===t?r|=2:5===t?r|=4:7===t?r|=8:8===t?r|=16:2===t?r|=32:22===t?(r&=-2,r&=-33):23===t?r&=-65:24===t?r&=-3:25===t?r&=-5:27===t?r&=-9:28===t?r&=-17:39===t?o=s.DEFAULT_ATTR>>9&511:49===t?i=511&s.DEFAULT_ATTR:38===t?2===e[a+1]?(a+=2,-1===(o=this._terminal.matchColor(255&e[a],255&e[a+1],255&e[a+2]))&&(o=511),a+=2):5===e[a+1]&&(o=t=255&e[a+=2]):48===t?2===e[a+1]?(a+=2,-1===(i=this._terminal.matchColor(255&e[a],255&e[a+1],255&e[a+2]))&&(i=511),a+=2):5===e[a+1]&&(i=t=255&e[a+=2]):100===t?(o=s.DEFAULT_ATTR>>9&511,i=511&s.DEFAULT_ATTR):this._terminal.error("Unknown SGR attribute: %d.",t);this._terminal.curAttr=r<<18|o<<9|i}else this._terminal.curAttr=s.DEFAULT_ATTR},t.prototype.deviceStatus=function(e,t){if(t){if("?"===t)switch(e[0]){case 6:n=this._terminal.buffer.y+1,r=this._terminal.buffer.x+1;this._terminal.emit("data",i.C0.ESC+"[?"+n+";"+r+"R")}}else switch(e[0]){case 5:this._terminal.emit("data",i.C0.ESC+"[0n");break;case 6:var n=this._terminal.buffer.y+1,r=this._terminal.buffer.x+1;this._terminal.emit("data",i.C0.ESC+"["+n+";"+r+"R")}},t.prototype.softReset=function(e,t){"!"===t&&(this._terminal.cursorHidden=!1,this._terminal.insertMode=!1,this._terminal.originMode=!1,this._terminal.wraparoundMode=!0,this._terminal.applicationKeypad=!1,this._terminal.viewport&&this._terminal.viewport.syncScrollArea(),this._terminal.applicationCursor=!1,this._terminal.buffer.scrollTop=0,this._terminal.buffer.scrollBottom=this._terminal.rows-1,this._terminal.curAttr=s.DEFAULT_ATTR,this._terminal.buffer.x=this._terminal.buffer.y=0,this._terminal.charset=null,this._terminal.glevel=0,this._terminal.charsets=[null])},t.prototype.setCursorStyle=function(e,t){if(" "===t){var n=e[0]<1?1:e[0];switch(n){case 1:case 2:this._terminal.setOption("cursorStyle","block");break;case 3:case 4:this._terminal.setOption("cursorStyle","underline");break;case 5:case 6:this._terminal.setOption("cursorStyle","bar")}var r=n%2==1;this._terminal.setOption("cursorBlink",r)}},t.prototype.setScrollRegion=function(e,t){t||(this._terminal.buffer.scrollTop=(e[0]||1)-1,this._terminal.buffer.scrollBottom=(e[1]&&e[1]<=this._terminal.rows?e[1]:this._terminal.rows)-1,this._terminal.buffer.x=0,this._terminal.buffer.y=0)},t.prototype.saveCursor=function(e){this._terminal.buffer.savedX=this._terminal.buffer.x,this._terminal.buffer.savedY=this._terminal.buffer.y,this._terminal.buffer.savedCurAttr=this._terminal.curAttr},t.prototype.restoreCursor=function(e){this._terminal.buffer.x=this._terminal.buffer.savedX||0,this._terminal.buffer.y=this._terminal.buffer.savedY||0,this._terminal.curAttr=this._terminal.buffer.savedCurAttr||s.DEFAULT_ATTR},t.prototype.setTitle=function(e){this._terminal.handleTitle(e)},t.prototype.nextLine=function(){this._terminal.buffer.x=0,this.index()},t.prototype.keypadApplicationMode=function(){this._terminal.log("Serial port requested application keypad."),this._terminal.applicationKeypad=!0,this._terminal.viewport&&this._terminal.viewport.syncScrollArea()},t.prototype.keypadNumericMode=function(){this._terminal.log("Switching back to normal keypad."),this._terminal.applicationKeypad=!1,this._terminal.viewport&&this._terminal.viewport.syncScrollArea()},t.prototype.selectDefaultCharset=function(){this._terminal.setgLevel(0),this._terminal.setgCharset(0,a.DEFAULT_CHARSET)},t.prototype.selectCharset=function(e){if(2!==e.length)return this.selectDefaultCharset();"/"!==e[0]&&this._terminal.setgCharset(f[e[0]],a.CHARSETS[e[1]]||a.DEFAULT_CHARSET)},t.prototype.index=function(){this._terminal.index()},t.prototype.tabSet=function(){this._terminal.tabSet()},t.prototype.reverseIndex=function(){this._terminal.reverseIndex()},t.prototype.reset=function(){this._parser.reset(),this._terminal.reset()},t.prototype.setgLevel=function(e){this._terminal.setgLevel(e)},t}(u.Disposable);t.InputHandler=m},3067:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.CHARSETS={},t.DEFAULT_CHARSET=t.CHARSETS.B,t.CHARSETS[0]={"`":"◆",a:"▒",b:"\t",c:"\f",d:"\r",e:"\n",f:"°",g:"±",h:"␤",i:"\v",j:"┘",k:"┐",l:"┌",m:"└",n:"┼",o:"⎺",p:"⎻",q:"─",r:"⎼",s:"⎽",t:"├",u:"┤",v:"┴",w:"┬",x:"│",y:"≤",z:"≥","{":"π","|":"≠","}":"£","~":"·"},t.CHARSETS.A={"#":"£"},t.CHARSETS.B=null,t.CHARSETS[4]={"#":"£","@":"¾","[":"ij","\\":"½","]":"|","{":"¨","|":"f","}":"¼","~":"´"},t.CHARSETS.C=t.CHARSETS[5]={"[":"Ä","\\":"Ö","]":"Å","^":"Ü","`":"é","{":"ä","|":"ö","}":"å","~":"ü"},t.CHARSETS.R={"#":"£","@":"à","[":"°","\\":"ç","]":"§","{":"é","|":"ù","}":"è","~":"¨"},t.CHARSETS.Q={"@":"à","[":"â","\\":"ç","]":"ê","^":"î","`":"ô","{":"é","|":"ù","}":"è","~":"û"},t.CHARSETS.K={"@":"§","[":"Ä","\\":"Ö","]":"Ü","{":"ä","|":"ö","}":"ü","~":"ß"},t.CHARSETS.Y={"#":"£","@":"§","[":"°","\\":"ç","]":"é","`":"ù","{":"à","|":"ò","}":"è","~":"ì"},t.CHARSETS.E=t.CHARSETS[6]={"@":"Ä","[":"Æ","\\":"Ø","]":"Å","^":"Ü","`":"ä","{":"æ","|":"ø","}":"å","~":"ü"},t.CHARSETS.Z={"#":"£","@":"§","[":"¡","\\":"Ñ","]":"¿","{":"°","|":"ñ","}":"ç"},t.CHARSETS.H=t.CHARSETS[7]={"@":"É","[":"Ä","\\":"Ö","]":"Å","^":"Ü","`":"é","{":"ä","|":"ö","}":"å","~":"ü"},t.CHARSETS["="]={"#":"ù","@":"à","[":"é","\\":"ç","]":"ê","^":"î",_:"è","`":"ô","{":"ä","|":"ö","}":"ü","~":"û"}},3068:function(e,t,n){"use strict";var r,o=this&&this.__extends||(r=function(e,t){return(r=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(e,t){e.__proto__=t}||function(e,t){for(var n in t)t.hasOwnProperty(n)&&(e[n]=t[n])})(e,t)},function(e,t){function n(){this.constructor=e}r(e,t),e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)});Object.defineProperty(t,"__esModule",{value:!0});var i=n(1678),a=n(2009);function s(e,t){for(var n=t-e,r=new Array(n);n--;)r[n]=--t;return r}var l=function(){function e(e){this.table="undefined"==typeof Uint8Array?new Array(e):new Uint8Array(e)}return e.prototype.add=function(e,t,n,r){this.table[t<<8|e]=(0|n)<<4|(void 0===r?t:r)},e.prototype.addMany=function(e,t,n,r){for(var o=0;o<e.length;o++)this.add(e[o],t,n,r)},e}();t.TransitionTable=l;var c=s(32,127),u=s(0,24);u.push(25),u.push.apply(u,s(28,32));t.VT500_TRANSITION_TABLE=function(){var e,t=new l(4095),n=s(0,14);for(e in n)for(var r=0;r<=160;++r)t.add(r,e,1,0);for(e in t.addMany(c,0,2,0),n)t.addMany([24,26,153,154],e,3,0),t.addMany(s(128,144),e,3,0),t.addMany(s(144,152),e,3,0),t.add(156,e,0,0),t.add(27,e,11,1),t.add(157,e,4,8),t.addMany([152,158,159],e,0,7),t.add(155,e,11,3),t.add(144,e,11,9);return t.addMany(u,0,3,0),t.addMany(u,1,3,1),t.add(127,1,0,1),t.addMany(u,8,0,8),t.addMany(u,3,3,3),t.add(127,3,0,3),t.addMany(u,4,3,4),t.add(127,4,0,4),t.addMany(u,6,3,6),t.addMany(u,5,3,5),t.add(127,5,0,5),t.addMany(u,2,3,2),t.add(127,2,0,2),t.add(93,1,4,8),t.addMany(c,8,5,8),t.add(127,8,5,8),t.addMany([156,27,24,26,7],8,6,0),t.addMany(s(28,32),8,0,8),t.addMany([88,94,95],1,0,7),t.addMany(c,7,0,7),t.addMany(u,7,0,7),t.add(156,7,0,0),t.add(127,7,0,7),t.add(91,1,11,3),t.addMany(s(64,127),3,7,0),t.addMany(s(48,58),3,8,4),t.add(59,3,8,4),t.addMany([60,61,62,63],3,9,4),t.addMany(s(48,58),4,8,4),t.add(59,4,8,4),t.addMany(s(64,127),4,7,0),t.addMany([58,60,61,62,63],4,0,6),t.addMany(s(32,64),6,0,6),t.add(127,6,0,6),t.addMany(s(64,127),6,0,0),t.add(58,3,0,6),t.addMany(s(32,48),3,9,5),t.addMany(s(32,48),5,9,5),t.addMany(s(48,64),5,0,6),t.addMany(s(64,127),5,7,0),t.addMany(s(32,48),4,9,5),t.addMany(s(32,48),1,9,2),t.addMany(s(32,48),2,9,2),t.addMany(s(48,127),2,10,0),t.addMany(s(48,80),1,10,0),t.addMany(s(81,88),1,10,0),t.addMany([89,90,92],1,10,0),t.addMany(s(96,127),1,10,0),t.add(80,1,11,9),t.addMany(u,9,0,9),t.add(127,9,0,9),t.addMany(s(28,32),9,0,9),t.addMany(s(32,48),9,9,12),t.add(58,9,0,11),t.addMany(s(48,58),9,8,10),t.add(59,9,8,10),t.addMany([60,61,62,63],9,9,10),t.addMany(u,11,0,11),t.addMany(s(32,128),11,0,11),t.addMany(s(28,32),11,0,11),t.addMany(u,10,0,10),t.add(127,10,0,10),t.addMany(s(28,32),10,0,10),t.addMany(s(48,58),10,8,10),t.add(59,10,8,10),t.addMany([58,60,61,62,63],10,0,11),t.addMany(s(32,48),10,9,12),t.addMany(u,12,0,12),t.add(127,12,0,12),t.addMany(s(28,32),12,0,12),t.addMany(s(32,48),12,9,12),t.addMany(s(48,64),12,0,11),t.addMany(s(64,127),12,12,13),t.addMany(s(64,127),10,12,13),t.addMany(s(64,127),9,12,13),t.addMany(u,13,13,13),t.addMany(c,13,13,13),t.add(127,13,0,13),t.addMany([27,156],13,14,0),t.add(160,8,5,8),t}();var p=function(){function e(){}return e.prototype.hook=function(e,t,n){},e.prototype.put=function(e,t,n){},e.prototype.unhook=function(){},e}(),d=function(e){function n(n){void 0===n&&(n=t.VT500_TRANSITION_TABLE);var r=e.call(this)||this;return r.TRANSITIONS=n,r.initialState=0,r.currentState=r.initialState,r._osc="",r._params=[0],r._collect="",r._printHandlerFb=function(e,t,n){},r._executeHandlerFb=function(e){},r._csiHandlerFb=function(e,t,n){},r._escHandlerFb=function(e,t){},r._oscHandlerFb=function(e,t){},r._dcsHandlerFb=new p,r._errorHandlerFb=function(e){return e},r._printHandler=r._printHandlerFb,r._executeHandlers=Object.create(null),r._csiHandlers=Object.create(null),r._escHandlers=Object.create(null),r._oscHandlers=Object.create(null),r._dcsHandlers=Object.create(null),r._activeDcsHandler=null,r._errorHandler=r._errorHandlerFb,r.setEscHandler("\\",function(){}),r}return o(n,e),n.prototype.dispose=function(){this._printHandlerFb=null,this._executeHandlerFb=null,this._csiHandlerFb=null,this._escHandlerFb=null,this._oscHandlerFb=null,this._dcsHandlerFb=null,this._errorHandlerFb=null,this._printHandler=null,this._executeHandlers=null,this._escHandlers=null,this._csiHandlers=null,this._oscHandlers=null,this._dcsHandlers=null,this._activeDcsHandler=null,this._errorHandler=null},n.prototype.setPrintHandler=function(e){this._printHandler=e},n.prototype.clearPrintHandler=function(){this._printHandler=this._printHandlerFb},n.prototype.setExecuteHandler=function(e,t){this._executeHandlers[e.charCodeAt(0)]=t},n.prototype.clearExecuteHandler=function(e){this._executeHandlers[e.charCodeAt(0)]&&delete this._executeHandlers[e.charCodeAt(0)]},n.prototype.setExecuteHandlerFallback=function(e){this._executeHandlerFb=e},n.prototype.addCsiHandler=function(e,t){var n=e.charCodeAt(0);void 0===this._csiHandlers[n]&&(this._csiHandlers[n]=[]);var r=this._csiHandlers[n];return r.push(t),{dispose:function(){var e=r.indexOf(t);-1!==e&&r.splice(e,1)}}},n.prototype.setCsiHandler=function(e,t){this._csiHandlers[e.charCodeAt(0)]=[t]},n.prototype.clearCsiHandler=function(e){this._csiHandlers[e.charCodeAt(0)]&&delete this._csiHandlers[e.charCodeAt(0)]},n.prototype.setCsiHandlerFallback=function(e){this._csiHandlerFb=e},n.prototype.setEscHandler=function(e,t){this._escHandlers[e]=t},n.prototype.clearEscHandler=function(e){this._escHandlers[e]&&delete this._escHandlers[e]},n.prototype.setEscHandlerFallback=function(e){this._escHandlerFb=e},n.prototype.addOscHandler=function(e,t){void 0===this._oscHandlers[e]&&(this._oscHandlers[e]=[]);var n=this._oscHandlers[e];return n.push(t),{dispose:function(){var e=n.indexOf(t);-1!==e&&n.splice(e,1)}}},n.prototype.setOscHandler=function(e,t){this._oscHandlers[e]=[t]},n.prototype.clearOscHandler=function(e){this._oscHandlers[e]&&delete this._oscHandlers[e]},n.prototype.setOscHandlerFallback=function(e){this._oscHandlerFb=e},n.prototype.setDcsHandler=function(e,t){this._dcsHandlers[e]=t},n.prototype.clearDcsHandler=function(e){this._dcsHandlers[e]&&delete this._dcsHandlers[e]},n.prototype.setDcsHandlerFallback=function(e){this._dcsHandlerFb=e},n.prototype.setErrorHandler=function(e){this._errorHandler=e},n.prototype.clearErrorHandler=function(){this._errorHandler=this._errorHandlerFb},n.prototype.reset=function(){this.currentState=this.initialState,this._osc="",this._params=[0],this._collect="",this._activeDcsHandler=null},n.prototype.parse=function(e,t){for(var n=0,r=0,o=!1,i=this.currentState,s=-1,l=-1,c=this._osc,u=this._collect,p=this._params,d=this.TRANSITIONS.table,f=this._activeDcsHandler,h=null,m=0;m<t;++m)if(n=e[m],0===i&&n>31&&n<128){s=~s?s:m;do{m++}while(m<t&&e[m]>31&&e[m]<128);m--}else if(4===i&&n>47&&n<57)p[p.length-1]=10*p[p.length-1]+n-48;else{switch((r=d[i<<8|(n<160?n:160)])>>4){case 2:s=~s?s:m;break;case 3:~s&&(this._printHandler(e,s,m),s=-1),(h=this._executeHandlers[n])?h():this._executeHandlerFb(n);break;case 0:~s?(this._printHandler(e,s,m),s=-1):~l&&(f.put(e,l,m),l=-1);break;case 1:if(n>159)switch(i){case 0:s=~s?s:m;break;case 6:r|=6;break;case 11:r|=11;break;case 13:l=~l?l:m,r|=13;break;default:o=!0}else o=!0;if(o){if(this._errorHandler({position:m,code:n,currentState:i,print:s,dcs:l,osc:c,collect:u,params:p,abort:!1}).abort)return;o=!1}break;case 7:for(var b=this._csiHandlers[n],g=b?b.length-1:-1;g>=0&&!b[g](p,u);g--);g<0&&this._csiHandlerFb(u,p,n);break;case 8:59===n?p.push(0):p[p.length-1]=10*p[p.length-1]+n-48;break;case 9:u+=String.fromCharCode(n);break;case 10:(h=this._escHandlers[u+String.fromCharCode(n)])?h(u,n):this._escHandlerFb(u,n);break;case 11:~s&&(this._printHandler(e,s,m),s=-1),c="",p=[0],u="",l=-1;break;case 12:(f=this._dcsHandlers[u+String.fromCharCode(n)])||(f=this._dcsHandlerFb),f.hook(u,p,n);break;case 13:l=~l?l:m;break;case 14:f&&(~l&&f.put(e,l,m),f.unhook(),f=null),27===n&&(r|=1),c="",p=[0],u="",l=-1;break;case 4:~s&&(this._printHandler(e,s,m),s=-1),c="";break;case 5:for(var _=m+1;;_++)if(_>=t||(n=e[_])<32||n>127&&n<=159){c+=a.utf32ToString(e,m,_),m=_-1;break}break;case 6:if(c&&24!==n&&26!==n){var v=c.indexOf(";");if(-1===v)this._oscHandlerFb(-1,c);else{for(var y=parseInt(c.substring(0,v)),w=c.substring(v+1),x=this._oscHandlers[y],k=x?x.length-1:-1;k>=0&&!x[k](w);k--);k<0&&this._oscHandlerFb(y,w)}}27===n&&(r|=1),c="",p=[0],u="",l=-1}i=15&r}0===i&&~s?this._printHandler(e,s,t):13===i&&~l&&f&&f.put(e,l,t),this._osc=c,this._collect=u,this._params=p,this._activeDcsHandler=f,this.currentState=i},n}(i.Disposable);t.EscapeSequenceParser=d},3069:function(e,t,n){"use strict";var r,o=this&&this.__extends||(r=function(e,t){return(r=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(e,t){e.__proto__=t}||function(e,t){for(var n in t)t.hasOwnProperty(n)&&(e[n]=t[n])})(e,t)},function(e,t){function n(){this.constructor=e}r(e,t),e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)});Object.defineProperty(t,"__esModule",{value:!0});var i=n(3070),a=n(3076),s=n(3077),l=n(1767),c=n(3078),u=n(1653),p=n(1839),d=n(2012),f=n(3079),h=function(e){function t(t,n){var r=e.call(this)||this;r._terminal=t,r._isPaused=!1,r._needsFullRefresh=!1;var o=r._terminal.options.allowTransparency;if(r.colorManager=new l.ColorManager(document,o),r._characterJoinerRegistry=new f.CharacterJoinerRegistry(t),n&&r.colorManager.setTheme(n),r._renderLayers=[new i.TextRenderLayer(r._terminal.screenElement,0,r.colorManager.colors,r._characterJoinerRegistry,o),new a.SelectionRenderLayer(r._terminal.screenElement,1,r.colorManager.colors),new c.LinkRenderLayer(r._terminal.screenElement,2,r.colorManager.colors,r._terminal),new s.CursorRenderLayer(r._terminal.screenElement,3,r.colorManager.colors)],r.dimensions={scaledCharWidth:null,scaledCharHeight:null,scaledCellWidth:null,scaledCellHeight:null,scaledCharLeft:null,scaledCharTop:null,scaledCanvasWidth:null,scaledCanvasHeight:null,canvasWidth:null,canvasHeight:null,actualCellWidth:null,actualCellHeight:null},r._devicePixelRatio=window.devicePixelRatio,r._updateDimensions(),r.onOptionsChanged(),r._renderDebouncer=new p.RenderDebouncer(r._terminal,r._renderRows.bind(r)),r._screenDprMonitor=new d.ScreenDprMonitor,r._screenDprMonitor.setListener(function(){return r.onWindowResize(window.devicePixelRatio)}),r.register(r._screenDprMonitor),"IntersectionObserver"in window){var u=new IntersectionObserver(function(e){return r.onIntersectionChange(e[e.length-1])},{threshold:0});u.observe(r._terminal.element),r.register({dispose:function(){return u.disconnect()}})}return r}return o(t,e),t.prototype.dispose=function(){e.prototype.dispose.call(this),this._renderLayers.forEach(function(e){return e.dispose()})},t.prototype.onIntersectionChange=function(e){this._isPaused=0===e.intersectionRatio,!this._isPaused&&this._needsFullRefresh&&this._terminal.refresh(0,this._terminal.rows-1)},t.prototype.onWindowResize=function(e){this._devicePixelRatio!==e&&(this._devicePixelRatio=e,this.onResize(this._terminal.cols,this._terminal.rows))},t.prototype.setTheme=function(e){var t=this;return this.colorManager.setTheme(e),this._renderLayers.forEach(function(e){e.onThemeChanged(t._terminal,t.colorManager.colors),e.reset(t._terminal)}),this._isPaused?this._needsFullRefresh=!0:this._terminal.refresh(0,this._terminal.rows-1),this.colorManager.colors},t.prototype.onResize=function(e,t){var n=this;this._updateDimensions(),this._renderLayers.forEach(function(e){return e.resize(n._terminal,n.dimensions)}),this._isPaused?this._needsFullRefresh=!0:this._terminal.refresh(0,this._terminal.rows-1),this._terminal.screenElement.style.width=this.dimensions.canvasWidth+"px",this._terminal.screenElement.style.height=this.dimensions.canvasHeight+"px",this.emit("resize",{width:this.dimensions.canvasWidth,height:this.dimensions.canvasHeight})},t.prototype.onCharSizeChanged=function(){this.onResize(this._terminal.cols,this._terminal.rows)},t.prototype.onBlur=function(){var e=this;this._runOperation(function(t){return t.onBlur(e._terminal)})},t.prototype.onFocus=function(){var e=this;this._runOperation(function(t){return t.onFocus(e._terminal)})},t.prototype.onSelectionChanged=function(e,t,n){var r=this;void 0===n&&(n=!1),this._runOperation(function(o){return o.onSelectionChanged(r._terminal,e,t,n)})},t.prototype.onCursorMove=function(){var e=this;this._runOperation(function(t){return t.onCursorMove(e._terminal)})},t.prototype.onOptionsChanged=function(){var e=this;this.colorManager.allowTransparency=this._terminal.options.allowTransparency,this._runOperation(function(t){return t.onOptionsChanged(e._terminal)})},t.prototype.clear=function(){var e=this;this._runOperation(function(t){return t.reset(e._terminal)})},t.prototype._runOperation=function(e){this._isPaused?this._needsFullRefresh=!0:this._renderLayers.forEach(function(t){return e(t)})},t.prototype.refreshRows=function(e,t){this._isPaused?this._needsFullRefresh=!0:this._renderDebouncer.refresh(e,t)},t.prototype._renderRows=function(e,t){var n=this;this._renderLayers.forEach(function(r){return r.onGridChanged(n._terminal,e,t)}),this._terminal.emit("refresh",{start:e,end:t})},t.prototype._updateDimensions=function(){this._terminal.charMeasure.width&&this._terminal.charMeasure.height&&(this.dimensions.scaledCharWidth=Math.floor(this._terminal.charMeasure.width*window.devicePixelRatio),this.dimensions.scaledCharHeight=Math.ceil(this._terminal.charMeasure.height*window.devicePixelRatio),this.dimensions.scaledCellHeight=Math.floor(this.dimensions.scaledCharHeight*this._terminal.options.lineHeight),this.dimensions.scaledCharTop=1===this._terminal.options.lineHeight?0:Math.round((this.dimensions.scaledCellHeight-this.dimensions.scaledCharHeight)/2),this.dimensions.scaledCellWidth=this.dimensions.scaledCharWidth+Math.round(this._terminal.options.letterSpacing),this.dimensions.scaledCharLeft=Math.floor(this._terminal.options.letterSpacing/2),this.dimensions.scaledCanvasHeight=this._terminal.rows*this.dimensions.scaledCellHeight,this.dimensions.scaledCanvasWidth=this._terminal.cols*this.dimensions.scaledCellWidth,this.dimensions.canvasHeight=Math.round(this.dimensions.scaledCanvasHeight/window.devicePixelRatio),this.dimensions.canvasWidth=Math.round(this.dimensions.scaledCanvasWidth/window.devicePixelRatio),this.dimensions.actualCellHeight=this.dimensions.canvasHeight/this._terminal.rows,this.dimensions.actualCellWidth=this.dimensions.canvasWidth/this._terminal.cols)},t.prototype.registerCharacterJoiner=function(e){return this._characterJoinerRegistry.registerCharacterJoiner(e)},t.prototype.deregisterCharacterJoiner=function(e){return this._characterJoinerRegistry.deregisterCharacterJoiner(e)},t}(u.EventEmitter);t.Renderer=h},3070:function(e,t,n){"use strict";var r,o=this&&this.__extends||(r=function(e,t){return(r=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(e,t){e.__proto__=t}||function(e,t){for(var n in t)t.hasOwnProperty(n)&&(e[n]=t[n])})(e,t)},function(e,t){function n(){this.constructor=e}r(e,t),e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)});Object.defineProperty(t,"__esModule",{value:!0});var i=n(1644),a=n(1650),s=n(3071),l=n(1766),c=n(1721),u=function(e){function t(t,n,r,o,i){var a=e.call(this,t,"text",n,i,r)||this;return a._characterOverlapCache={},a._state=new s.GridCache,a._characterJoinerRegistry=o,a}return o(t,e),t.prototype.resize=function(t,n){e.prototype.resize.call(this,t,n);var r=this._getFont(t,!1,!1);this._characterWidth===n.scaledCharWidth&&this._characterFont===r||(this._characterWidth=n.scaledCharWidth,this._characterFont=r,this._characterOverlapCache={}),this._state.clear(),this._state.resize(t.cols,t.rows)},t.prototype.reset=function(e){this._state.clear(),this.clearAll()},t.prototype._forEachCell=function(e,t,n,r,o){for(var s=t;s<=n;s++)for(var l=s+e.buffer.ydisp,c=e.buffer.lines.get(l),u=r?r.getJoinedCharacters(l):[],p=0;p<e.cols;p++){var d=c.get(p),f=d[i.CHAR_DATA_CODE_INDEX]||i.WHITESPACE_CELL_CODE,h=d[i.CHAR_DATA_CHAR_INDEX]||i.WHITESPACE_CELL_CHAR,m=d[i.CHAR_DATA_ATTR_INDEX],b=d[i.CHAR_DATA_WIDTH_INDEX],g=!1,_=p;if(0!==b){if(u.length>0&&p===u[0][0]){g=!0;var v=u.shift();h=e.buffer.translateBufferLineToString(l,!0,v[0],v[1]),b=v[1]-v[0],f=1/0,_=v[1]-1}!g&&this._isOverlapping(d)&&_<c.length-1&&c.get(_+1)[i.CHAR_DATA_CODE_INDEX]===i.NULL_CELL_CODE&&(b=2);var y=m>>18,w=511&m,x=m>>9&511;if(8&y){var k=w;w=x,(x=k)===a.DEFAULT_COLOR&&(x=a.INVERTED_DEFAULT_COLOR),w===a.DEFAULT_COLOR&&(w=a.INVERTED_DEFAULT_COLOR)}o(f,h,b,p,s,x,w,y),p=_}}},t.prototype._drawBackground=function(e,t,n){var r=this,o=this._ctx,i=e.cols,s=0,l=0,u=null;o.save(),this._forEachCell(e,t,n,null,function(e,t,n,p,d,f,h,m){var b=null;h===a.INVERTED_DEFAULT_COLOR?b=r._colors.foreground.css:c.is256Color(h)&&(b=r._colors.ansi[h].css),null===u&&(s=p,l=d),d!==l?(o.fillStyle=u,r.fillCells(s,l,i-s,1),s=p,l=d):u!==b&&(o.fillStyle=u,r.fillCells(s,l,p-s,1),s=p,l=d),u=b}),null!==u&&(o.fillStyle=u,this.fillCells(s,l,i-s,1)),o.restore()},t.prototype._drawForeground=function(e,t,n){var r=this;this._forEachCell(e,t,n,this._characterJoinerRegistry,function(t,n,o,i,s,l,u,p){16&p||(2&p&&(r._ctx.save(),l===a.INVERTED_DEFAULT_COLOR?r._ctx.fillStyle=r._colors.background.css:c.is256Color(l)?r._ctx.fillStyle=r._colors.ansi[l].css:r._ctx.fillStyle=r._colors.foreground.css,r.fillBottomLineAtCells(i,s,o),r._ctx.restore()),r.drawChars(e,n,t,o,i,s,l,u,!!(1&p),!!(32&p),!!(64&p)))})},t.prototype.onGridChanged=function(e,t,n){0!==this._state.cache.length&&(this._charAtlas&&this._charAtlas.beginFrame(),this.clearCells(0,t,e.cols,n-t+1),this._drawBackground(e,t,n),this._drawForeground(e,t,n))},t.prototype.onOptionsChanged=function(e){this.setTransparency(e,e.options.allowTransparency)},t.prototype._isOverlapping=function(e){if(1!==e[i.CHAR_DATA_WIDTH_INDEX])return!1;if(e[i.CHAR_DATA_CODE_INDEX]<256)return!1;var t=e[i.CHAR_DATA_CHAR_INDEX];if(this._characterOverlapCache.hasOwnProperty(t))return this._characterOverlapCache[t];this._ctx.save(),this._ctx.font=this._characterFont;var n=Math.floor(this._ctx.measureText(t).width)>this._characterWidth;return this._ctx.restore(),this._characterOverlapCache[t]=n,n},t}(l.BaseRenderLayer);t.TextRenderLayer=u},3071:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=function(){function e(){this.cache=[]}return e.prototype.resize=function(e,t){for(var n=0;n<e;n++){this.cache.length<=n&&this.cache.push([]);for(var r=this.cache[n].length;r<t;r++)this.cache[n].push(null);this.cache[n].length=t}this.cache.length=e},e.prototype.clear=function(){for(var e=0;e<this.cache.length;e++)for(var t=0;t<this.cache[e].length;t++)this.cache[e][t]=null},e}();t.GridCache=r},3072:function(e,t,n){"use strict";var r,o=this&&this.__extends||(r=function(e,t){return(r=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(e,t){e.__proto__=t}||function(e,t){for(var n in t)t.hasOwnProperty(n)&&(e[n]=t[n])})(e,t)},function(e,t){function n(){this.constructor=e}r(e,t),e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)});Object.defineProperty(t,"__esModule",{value:!0});var i=n(1650),a=n(1838),s=n(1767),l=n(2011),c=n(3073),u=n(1722),p=1024,d=1024,f={css:"rgba(0, 0, 0, 0)",rgba:0};function h(e){return e.code<<21|e.bg<<12|e.fg<<3|(e.bold?0:4)+(e.dim?0:2)+(e.italic?0:1)}t.getGlyphCacheKey=h;var m=function(e){function t(t,n){var r=e.call(this)||this;r._config=n,r._drawToCacheCount=0,r._glyphsWaitingOnBitmap=[],r._bitmapCommitTimeout=null,r._bitmap=null,r._cacheCanvas=t.createElement("canvas"),r._cacheCanvas.width=p,r._cacheCanvas.height=d,r._cacheCtx=r._cacheCanvas.getContext("2d",{alpha:!0});var o=t.createElement("canvas");o.width=r._config.scaledCharWidth,o.height=r._config.scaledCharHeight,r._tmpCtx=o.getContext("2d",{alpha:r._config.allowTransparency}),r._width=Math.floor(p/r._config.scaledCharWidth),r._height=Math.floor(d/r._config.scaledCharHeight);var i=r._width*r._height;return r._cacheMap=new c.default(i),r._cacheMap.prealloc(i),r}return o(t,e),t.prototype.dispose=function(){null!==this._bitmapCommitTimeout&&(window.clearTimeout(this._bitmapCommitTimeout),this._bitmapCommitTimeout=null)},t.prototype.beginFrame=function(){this._drawToCacheCount=0},t.prototype.draw=function(e,t,n,r){if(32===t.code)return!0;if(!this._canCache(t))return!1;var o=h(t),i=this._cacheMap.get(o);if(null!=i)return this._drawFromCache(e,i,n,r),!0;if(this._drawToCacheCount<100){var a=void 0;a=this._cacheMap.size<this._cacheMap.capacity?this._cacheMap.size:this._cacheMap.peek().index;var s=this._drawToCache(t,a);return this._cacheMap.set(o,s),this._drawFromCache(e,s,n,r),!0}return!1},t.prototype._canCache=function(e){return e.code<256},t.prototype._toCoordinateX=function(e){return e%this._width*this._config.scaledCharWidth},t.prototype._toCoordinateY=function(e){return Math.floor(e/this._width)*this._config.scaledCharHeight},t.prototype._drawFromCache=function(e,t,n,r){if(!t.isEmpty){var o=this._toCoordinateX(t.index),i=this._toCoordinateY(t.index);e.drawImage(t.inBitmap?this._bitmap:this._cacheCanvas,o,i,this._config.scaledCharWidth,this._config.scaledCharHeight,n,r,this._config.scaledCharWidth,this._config.scaledCharHeight)}},t.prototype._getColorFromAnsiIndex=function(e){return e<this._config.colors.ansi.length?this._config.colors.ansi[e]:s.DEFAULT_ANSI_COLORS[e]},t.prototype._getBackgroundColor=function(e){return this._config.allowTransparency?f:e.bg===i.INVERTED_DEFAULT_COLOR?this._config.colors.foreground:e.bg<256?this._getColorFromAnsiIndex(e.bg):this._config.colors.background},t.prototype._getForegroundColor=function(e){return e.fg===i.INVERTED_DEFAULT_COLOR?this._config.colors.background:e.fg<256?this._getColorFromAnsiIndex(e.fg):this._config.colors.foreground},t.prototype._drawToCache=function(e,t){this._drawToCacheCount++,this._tmpCtx.save();var n=this._getBackgroundColor(e);this._tmpCtx.globalCompositeOperation="copy",this._tmpCtx.fillStyle=n.css,this._tmpCtx.fillRect(0,0,this._config.scaledCharWidth,this._config.scaledCharHeight),this._tmpCtx.globalCompositeOperation="source-over";var r=e.bold?this._config.fontWeightBold:this._config.fontWeight,o=e.italic?"italic":"";this._tmpCtx.font=o+" "+r+" "+this._config.fontSize*this._config.devicePixelRatio+"px "+this._config.fontFamily,this._tmpCtx.textBaseline="middle",this._tmpCtx.fillStyle=this._getForegroundColor(e).css,e.dim&&(this._tmpCtx.globalAlpha=i.DIM_OPACITY),this._tmpCtx.fillText(e.chars,0,this._config.scaledCharHeight/2),this._tmpCtx.restore();var a=this._tmpCtx.getImageData(0,0,this._config.scaledCharWidth,this._config.scaledCharHeight),s=!1;this._config.allowTransparency||(s=l.clearColor(a,n));var c=this._toCoordinateX(t),u=this._toCoordinateY(t);this._cacheCtx.putImageData(a,c,u);var p={index:t,isEmpty:s,inBitmap:!1};return this._addGlyphToBitmap(p),p},t.prototype._addGlyphToBitmap=function(e){var t=this;"createImageBitmap"in window&&!u.isFirefox&&!u.isSafari&&(this._glyphsWaitingOnBitmap.push(e),null===this._bitmapCommitTimeout&&(this._bitmapCommitTimeout=window.setTimeout(function(){return t._generateBitmap()},100)))},t.prototype._generateBitmap=function(){var e=this,t=this._glyphsWaitingOnBitmap;this._glyphsWaitingOnBitmap=[],window.createImageBitmap(this._cacheCanvas).then(function(n){e._bitmap=n;for(var r=0;r<t.length;r++){t[r].inBitmap=!0}}),this._bitmapCommitTimeout=null},t}(a.default);t.default=m},3073:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=function(){function e(e){this.capacity=e,this._map={},this._head=null,this._tail=null,this._nodePool=[],this.size=0}return e.prototype._unlinkNode=function(e){var t=e.prev,n=e.next;e===this._head&&(this._head=n),e===this._tail&&(this._tail=t),null!==t&&(t.next=n),null!==n&&(n.prev=t)},e.prototype._appendNode=function(e){var t=this._tail;null!==t&&(t.next=e),e.prev=t,e.next=null,this._tail=e,null===this._head&&(this._head=e)},e.prototype.prealloc=function(e){for(var t=this._nodePool,n=0;n<e;n++)t.push({prev:null,next:null,key:null,value:null})},e.prototype.get=function(e){var t=this._map[e];return void 0!==t?(this._unlinkNode(t),this._appendNode(t),t.value):null},e.prototype.peekValue=function(e){var t=this._map[e];return void 0!==t?t.value:null},e.prototype.peek=function(){var e=this._head;return null===e?null:e.value},e.prototype.set=function(e,t){var n=this._map[e];if(void 0!==n)n=this._map[e],this._unlinkNode(n),n.value=t;else if(this.size>=this.capacity)n=this._head,this._unlinkNode(n),delete this._map[n.key],n.key=e,n.value=t,this._map[e]=n;else{var r=this._nodePool;r.length>0?((n=r.pop()).key=e,n.value=t):n={prev:null,next:null,key:e,value:t},this._map[e]=n,this.size++}this._appendNode(n)},e}();t.default=r},3074:function(e,t,n){"use strict";var r,o=this&&this.__extends||(r=function(e,t){return(r=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(e,t){e.__proto__=t}||function(e,t){for(var n in t)t.hasOwnProperty(n)&&(e[n]=t[n])})(e,t)},function(e,t){function n(){this.constructor=e}r(e,t),e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)});Object.defineProperty(t,"__esModule",{value:!0});var i=function(e){function t(t,n){return e.call(this)||this}return o(t,e),t.prototype.draw=function(e,t,n,r){return!1},t}(n(1838).default);t.default=i},3075:function(e,t,n){"use strict";var r,o=this&&this.__extends||(r=function(e,t){return(r=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(e,t){e.__proto__=t}||function(e,t){for(var n in t)t.hasOwnProperty(n)&&(e[n]=t[n])})(e,t)},function(e,t){function n(){this.constructor=e}r(e,t),e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)});Object.defineProperty(t,"__esModule",{value:!0});var i=n(1650),a=n(2011),s=n(1838),l=n(1721),c=function(e){function t(t,n){var r=e.call(this)||this;return r._document=t,r._config=n,r._canvasFactory=function(e,t){var n=r._document.createElement("canvas");return n.width=e,n.height=t,n},r}return o(t,e),t.prototype._doWarmUp=function(){var e=this,t=a.generateStaticCharAtlasTexture(window,this._canvasFactory,this._config);t instanceof HTMLCanvasElement?this._texture=t:t.then(function(t){e._texture=t})},t.prototype._isCached=function(e,t){var n=e.code<256,r=e.fg<16,o=e.fg===i.DEFAULT_COLOR,a=e.bg===i.DEFAULT_COLOR;return n&&(r||o)&&a&&!e.italic},t.prototype.draw=function(e,t,n,r){if(null===this._texture||void 0===this._texture)return!1;var o=0;if(l.is256Color(t.fg)?o=2+t.fg+(t.bold?16:0):t.fg===i.DEFAULT_COLOR&&t.bold&&(o=1),!this._isCached(t,o))return!1;e.save();var a=this._config.scaledCharWidth+i.CHAR_ATLAS_CELL_SPACING,s=this._config.scaledCharHeight+i.CHAR_ATLAS_CELL_SPACING;return t.dim&&(e.globalAlpha=i.DIM_OPACITY),e.drawImage(this._texture,t.code*a,o*s,a,this._config.scaledCharHeight,n,r,a,this._config.scaledCharHeight),e.restore(),!0},t}(s.default);t.default=c},3076:function(e,t,n){"use strict";var r,o=this&&this.__extends||(r=function(e,t){return(r=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(e,t){e.__proto__=t}||function(e,t){for(var n in t)t.hasOwnProperty(n)&&(e[n]=t[n])})(e,t)},function(e,t){function n(){this.constructor=e}r(e,t),e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)});Object.defineProperty(t,"__esModule",{value:!0});var i=function(e){function t(t,n,r){var o=e.call(this,t,"selection",n,!0,r)||this;return o._clearState(),o}return o(t,e),t.prototype._clearState=function(){this._state={start:null,end:null,columnSelectMode:null,ydisp:null}},t.prototype.resize=function(t,n){e.prototype.resize.call(this,t,n),this._clearState()},t.prototype.reset=function(e){this._state.start&&this._state.end&&(this._clearState(),this.clearAll())},t.prototype.onSelectionChanged=function(e,t,n,r){if(this._didStateChange(t,n,r,e.buffer.ydisp))if(this.clearAll(),t&&n){var o=t[1]-e.buffer.ydisp,i=n[1]-e.buffer.ydisp,a=Math.max(o,0),s=Math.min(i,e.rows-1);if(!(a>=e.rows||s<0)){if(this._ctx.fillStyle=this._colors.selection.css,r){var l=t[0],c=n[0]-l,u=s-a+1;this.fillCells(l,a,c,u)}else{l=o===a?t[0]:0;var p=a===s?n[0]:e.cols;this.fillCells(l,a,p-l,1);var d=Math.max(s-a-1,0);if(this.fillCells(0,a+1,e.cols,d),a!==s){var f=i===s?n[0]:e.cols;this.fillCells(0,s,f,1)}}this._state.start=[t[0],t[1]],this._state.end=[n[0],n[1]],this._state.columnSelectMode=r,this._state.ydisp=e.buffer.ydisp}}else this._clearState()},t.prototype._didStateChange=function(e,t,n,r){return!this._areCoordinatesEqual(e,this._state.start)||!this._areCoordinatesEqual(t,this._state.end)||n!==this._state.columnSelectMode||r!==this._state.ydisp},t.prototype._areCoordinatesEqual=function(e,t){return!(!e||!t)&&(e[0]===t[0]&&e[1]===t[1])},t}(n(1766).BaseRenderLayer);t.SelectionRenderLayer=i},3077:function(e,t,n){"use strict";var r,o=this&&this.__extends||(r=function(e,t){return(r=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(e,t){e.__proto__=t}||function(e,t){for(var n in t)t.hasOwnProperty(n)&&(e[n]=t[n])})(e,t)},function(e,t){function n(){this.constructor=e}r(e,t),e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)});Object.defineProperty(t,"__esModule",{value:!0});var i=n(1644),a=n(1766),s=function(e){function t(t,n,r){var o=e.call(this,t,"cursor",n,!0,r)||this;return o._state={x:null,y:null,isFocused:null,style:null,width:null},o._cursorRenderers={bar:o._renderBarCursor.bind(o),block:o._renderBlockCursor.bind(o),underline:o._renderUnderlineCursor.bind(o)},o}return o(t,e),t.prototype.resize=function(t,n){e.prototype.resize.call(this,t,n),this._state={x:null,y:null,isFocused:null,style:null,width:null}},t.prototype.reset=function(e){this._clearCursor(),this._cursorBlinkStateManager&&(this._cursorBlinkStateManager.dispose(),this._cursorBlinkStateManager=null,this.onOptionsChanged(e))},t.prototype.onBlur=function(e){this._cursorBlinkStateManager&&this._cursorBlinkStateManager.pause(),e.refresh(e.buffer.y,e.buffer.y)},t.prototype.onFocus=function(e){this._cursorBlinkStateManager?this._cursorBlinkStateManager.resume(e):e.refresh(e.buffer.y,e.buffer.y)},t.prototype.onOptionsChanged=function(e){var t=this;e.options.cursorBlink?this._cursorBlinkStateManager||(this._cursorBlinkStateManager=new l(e,function(){t._render(e,!0)})):(this._cursorBlinkStateManager&&(this._cursorBlinkStateManager.dispose(),this._cursorBlinkStateManager=null),e.refresh(e.buffer.y,e.buffer.y))},t.prototype.onCursorMove=function(e){this._cursorBlinkStateManager&&this._cursorBlinkStateManager.restartBlinkAnimation(e)},t.prototype.onGridChanged=function(e,t,n){!this._cursorBlinkStateManager||this._cursorBlinkStateManager.isPaused?this._render(e,!1):this._cursorBlinkStateManager.restartBlinkAnimation(e)},t.prototype._render=function(e,t){if(e.cursorState&&!e.cursorHidden){var n=e.buffer.ybase+e.buffer.y,r=n-e.buffer.ydisp;if(r<0||r>=e.rows)this._clearCursor();else{var o=e.buffer.lines.get(n).get(e.buffer.x);if(o){if(!e.isFocused)return this._clearCursor(),this._ctx.save(),this._ctx.fillStyle=this._colors.cursor.css,this._renderBlurCursor(e,e.buffer.x,r,o),this._ctx.restore(),this._state.x=e.buffer.x,this._state.y=r,this._state.isFocused=!1,this._state.style=e.options.cursorStyle,void(this._state.width=o[i.CHAR_DATA_WIDTH_INDEX]);if(!this._cursorBlinkStateManager||this._cursorBlinkStateManager.isCursorVisible){if(this._state){if(this._state.x===e.buffer.x&&this._state.y===r&&this._state.isFocused===e.isFocused&&this._state.style===e.options.cursorStyle&&this._state.width===o[i.CHAR_DATA_WIDTH_INDEX])return;this._clearCursor()}this._ctx.save(),this._cursorRenderers[e.options.cursorStyle||"block"](e,e.buffer.x,r,o),this._ctx.restore(),this._state.x=e.buffer.x,this._state.y=r,this._state.isFocused=!1,this._state.style=e.options.cursorStyle,this._state.width=o[i.CHAR_DATA_WIDTH_INDEX]}else this._clearCursor()}}}else this._clearCursor()},t.prototype._clearCursor=function(){this._state&&(this.clearCells(this._state.x,this._state.y,this._state.width,1),this._state={x:null,y:null,isFocused:null,style:null,width:null})},t.prototype._renderBarCursor=function(e,t,n,r){this._ctx.save(),this._ctx.fillStyle=this._colors.cursor.css,this.fillLeftLineAtCell(t,n),this._ctx.restore()},t.prototype._renderBlockCursor=function(e,t,n,r){this._ctx.save(),this._ctx.fillStyle=this._colors.cursor.css,this.fillCells(t,n,r[i.CHAR_DATA_WIDTH_INDEX],1),this._ctx.fillStyle=this._colors.cursorAccent.css,this.fillCharTrueColor(e,r,t,n),this._ctx.restore()},t.prototype._renderUnderlineCursor=function(e,t,n,r){this._ctx.save(),this._ctx.fillStyle=this._colors.cursor.css,this.fillBottomLineAtCells(t,n),this._ctx.restore()},t.prototype._renderBlurCursor=function(e,t,n,r){this._ctx.save(),this._ctx.strokeStyle=this._colors.cursor.css,this.strokeRectAtCell(t,n,r[i.CHAR_DATA_WIDTH_INDEX],1),this._ctx.restore()},t}(a.BaseRenderLayer);t.CursorRenderLayer=s;var l=function(){function e(e,t){this._renderCallback=t,this.isCursorVisible=!0,e.isFocused&&this._restartInterval()}return Object.defineProperty(e.prototype,"isPaused",{get:function(){return!(this._blinkStartTimeout||this._blinkInterval)},enumerable:!0,configurable:!0}),e.prototype.dispose=function(){this._blinkInterval&&(window.clearInterval(this._blinkInterval),this._blinkInterval=null),this._blinkStartTimeout&&(window.clearTimeout(this._blinkStartTimeout),this._blinkStartTimeout=null),this._animationFrame&&(window.cancelAnimationFrame(this._animationFrame),this._animationFrame=null)},e.prototype.restartBlinkAnimation=function(e){var t=this;this.isPaused||(this._animationTimeRestarted=Date.now(),this.isCursorVisible=!0,this._animationFrame||(this._animationFrame=window.requestAnimationFrame(function(){t._renderCallback(),t._animationFrame=null})))},e.prototype._restartInterval=function(e){var t=this;void 0===e&&(e=600),this._blinkInterval&&window.clearInterval(this._blinkInterval),this._blinkStartTimeout=setTimeout(function(){if(t._animationTimeRestarted){var e=600-(Date.now()-t._animationTimeRestarted);if(t._animationTimeRestarted=null,e>0)return void t._restartInterval(e)}t.isCursorVisible=!1,t._animationFrame=window.requestAnimationFrame(function(){t._renderCallback(),t._animationFrame=null}),t._blinkInterval=setInterval(function(){if(t._animationTimeRestarted){var e=600-(Date.now()-t._animationTimeRestarted);return t._animationTimeRestarted=null,void t._restartInterval(e)}t.isCursorVisible=!t.isCursorVisible,t._animationFrame=window.requestAnimationFrame(function(){t._renderCallback(),t._animationFrame=null})},600)},e)},e.prototype.pause=function(){this.isCursorVisible=!0,this._blinkInterval&&(window.clearInterval(this._blinkInterval),this._blinkInterval=null),this._blinkStartTimeout&&(window.clearTimeout(this._blinkStartTimeout),this._blinkStartTimeout=null),this._animationFrame&&(window.cancelAnimationFrame(this._animationFrame),this._animationFrame=null)},e.prototype.resume=function(e){this._animationTimeRestarted=null,this._restartInterval(),this.restartBlinkAnimation(e)},e}()},3078:function(e,t,n){"use strict";var r,o=this&&this.__extends||(r=function(e,t){return(r=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(e,t){e.__proto__=t}||function(e,t){for(var n in t)t.hasOwnProperty(n)&&(e[n]=t[n])})(e,t)},function(e,t){function n(){this.constructor=e}r(e,t),e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)});Object.defineProperty(t,"__esModule",{value:!0});var i=n(1766),a=n(1650),s=n(1721),l=function(e){function t(t,n,r,o){var i=e.call(this,t,"link",n,!0,r)||this;return i._state=null,o.linkifier.on("linkhover",function(e){return i._onLinkHover(e)}),o.linkifier.on("linkleave",function(e){return i._onLinkLeave(e)}),i}return o(t,e),t.prototype.resize=function(t,n){e.prototype.resize.call(this,t,n),this._state=null},t.prototype.reset=function(e){this._clearCurrentLink()},t.prototype._clearCurrentLink=function(){if(this._state){this.clearCells(this._state.x1,this._state.y1,this._state.cols-this._state.x1,1);var e=this._state.y2-this._state.y1-1;e>0&&this.clearCells(0,this._state.y1+1,this._state.cols,e),this.clearCells(0,this._state.y2,this._state.x2,1),this._state=null}},t.prototype._onLinkHover=function(e){if(e.fg===a.INVERTED_DEFAULT_COLOR?this._ctx.fillStyle=this._colors.background.css:s.is256Color(e.fg)?this._ctx.fillStyle=this._colors.ansi[e.fg].css:this._ctx.fillStyle=this._colors.foreground.css,e.y1===e.y2)this.fillBottomLineAtCells(e.x1,e.y1,e.x2-e.x1);else{this.fillBottomLineAtCells(e.x1,e.y1,e.cols-e.x1);for(var t=e.y1+1;t<e.y2;t++)this.fillBottomLineAtCells(0,t,e.cols);this.fillBottomLineAtCells(0,e.y2,e.x2)}this._state=e},t.prototype._onLinkLeave=function(e){this._clearCurrentLink()},t}(i.BaseRenderLayer);t.LinkRenderLayer=l},3079:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=n(1644),o=function(){function e(e){this._terminal=e,this._characterJoiners=[],this._nextCharacterJoinerId=0}return e.prototype.registerCharacterJoiner=function(e){var t={id:this._nextCharacterJoinerId++,handler:e};return this._characterJoiners.push(t),t.id},e.prototype.deregisterCharacterJoiner=function(e){for(var t=0;t<this._characterJoiners.length;t++)if(this._characterJoiners[t].id===e)return this._characterJoiners.splice(t,1),!0;return!1},e.prototype.getJoinedCharacters=function(e){if(0===this._characterJoiners.length)return[];var t=this._terminal.buffer.lines.get(e);if(0===t.length)return[];for(var n=[],o=this._terminal.buffer.translateBufferLineToString(e,!0),i=0,a=0,s=0,l=t.get(0)[r.CHAR_DATA_ATTR_INDEX]>>9,c=0;c<this._terminal.cols;c++){var u=t.get(c),p=u[r.CHAR_DATA_CHAR_INDEX],d=u[r.CHAR_DATA_WIDTH_INDEX],f=u[r.CHAR_DATA_ATTR_INDEX]>>9;if(0!==d){if(f!==l){if(c-i>1)for(var h=this._getJoinedRanges(o,s,a,t,i),m=0;m<h.length;m++)n.push(h[m]);i=c,s=a,l=f}a+=p.length}}if(this._terminal.cols-i>1)for(h=this._getJoinedRanges(o,s,a,t,i),m=0;m<h.length;m++)n.push(h[m]);return n},e.prototype._getJoinedRanges=function(t,n,r,o,i){for(var a=t.substring(n,r),s=this._characterJoiners[0].handler(a),l=1;l<this._characterJoiners.length;l++)for(var c=this._characterJoiners[l].handler(a),u=0;u<c.length;u++)e._mergeRanges(s,c[u]);return this._stringRangesToCellRanges(s,o,i),s},e.prototype._stringRangesToCellRanges=function(e,t,n){var o=0,i=!1,a=0,s=e[o];if(s){for(var l=n;l<this._terminal.cols;l++){var c=t.get(l),u=c[r.CHAR_DATA_WIDTH_INDEX],p=c[r.CHAR_DATA_CHAR_INDEX].length;if(0!==u){if(!i&&s[0]<=a&&(s[0]=l,i=!0),s[1]<=a){if(s[1]=l,!(s=e[++o]))break;s[0]<=a?(s[0]=l,i=!0):i=!1}a+=p}}s&&(s[1]=this._terminal.cols)}},e._mergeRanges=function(e,t){for(var n=!1,r=0;r<e.length;r++){var o=e[r];if(n){if(t[1]<=o[0])return e[r-1][1]=t[1],e;if(t[1]<=o[1])return e[r-1][1]=Math.max(t[1],o[1]),e.splice(r,1),n=!1,e;e.splice(r,1),r--}else{if(t[1]<=o[0])return e.splice(r,0,t),e;if(t[1]<=o[1])return o[0]=Math.min(t[0],o[0]),e;t[0]<o[1]&&(o[0]=Math.min(t[0],o[0]),n=!0)}}return n?e[e.length-1][1]=t[1]:e.push(t),e},e}();t.CharacterJoinerRegistry=o},3080:function(e,t,n){"use strict";var r,o=this&&this.__extends||(r=function(e,t){return(r=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(e,t){e.__proto__=t}||function(e,t){for(var n in t)t.hasOwnProperty(n)&&(e[n]=t[n])})(e,t)},function(e,t){function n(){this.constructor=e}r(e,t),e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)});Object.defineProperty(t,"__esModule",{value:!0});var i=n(2013),a=n(1653),s=n(1644),l=n(2007),c=function(e){function t(t){var n=e.call(this)||this;return n._terminal=t,n._linkMatchers=[],n._nextLinkMatcherId=0,n._rowsToLinkify={start:null,end:null},n}return o(t,e),t.prototype.attachToDom=function(e){this._mouseZoneManager=e},t.prototype.linkifyRows=function(e,n){var r=this;this._mouseZoneManager&&(null===this._rowsToLinkify.start?(this._rowsToLinkify.start=e,this._rowsToLinkify.end=n):(this._rowsToLinkify.start=Math.min(this._rowsToLinkify.start,e),this._rowsToLinkify.end=Math.max(this._rowsToLinkify.end,n)),this._mouseZoneManager.clearAll(e,n),this._rowsTimeoutId&&clearTimeout(this._rowsTimeoutId),this._rowsTimeoutId=setTimeout(function(){return r._linkifyRows()},t.TIME_BEFORE_LINKIFY))},t.prototype._linkifyRows=function(){this._rowsTimeoutId=null;var e=this._terminal.buffer,n=e.ydisp+this._rowsToLinkify.start;if(!(n>=e.lines.length)){for(var r=e.ydisp+Math.min(this._rowsToLinkify.end,this._terminal.rows)+1,o=Math.ceil(t.OVERSCAN_CHAR_LIMIT/this._terminal.cols),i=this._terminal.buffer.iterator(!1,n,r,o,o);i.hasNext();)for(var a=i.next(),s=0;s<this._linkMatchers.length;s++)this._doLinkifyRow(a.range.first,a.content,this._linkMatchers[s]);this._rowsToLinkify.start=null,this._rowsToLinkify.end=null}},t.prototype.registerLinkMatcher=function(e,t,n){if(void 0===n&&(n={}),!t)throw new Error("handler must be defined");var r={id:this._nextLinkMatcherId++,regex:e,handler:t,matchIndex:n.matchIndex,validationCallback:n.validationCallback,hoverTooltipCallback:n.tooltipCallback,hoverLeaveCallback:n.leaveCallback,willLinkActivate:n.willLinkActivate,priority:n.priority||0};return this._addLinkMatcherToList(r),r.id},t.prototype._addLinkMatcherToList=function(e){if(0!==this._linkMatchers.length){for(var t=this._linkMatchers.length-1;t>=0;t--)if(e.priority<=this._linkMatchers[t].priority)return void this._linkMatchers.splice(t+1,0,e);this._linkMatchers.splice(0,0,e)}else this._linkMatchers.push(e)},t.prototype.deregisterLinkMatcher=function(e){for(var t=0;t<this._linkMatchers.length;t++)if(this._linkMatchers[t].id===e)return this._linkMatchers.splice(t,1),!0;return!1},t.prototype._doLinkifyRow=function(e,t,n){for(var r,o=this,i=new RegExp(n.regex.source,n.regex.flags+"g"),a=-1,l=function(){var l=r["number"!=typeof n.matchIndex?0:n.matchIndex];if(!l){if(c._terminal.debug)throw console.log({match:r,matcher:n}),new Error("match found without corresponding matchIndex");return"break"}if(a=t.indexOf(l,a+1),i.lastIndex=a+l.length,a<0)return"break";var u=c._terminal.buffer.stringIndexToBufferIndex(e,a);if(u[0]<0)return"break";var p,d=c._terminal.buffer.lines.get(u[0]).get(u[1]);if(d){var f=d[s.CHAR_DATA_ATTR_INDEX];p=f>>9&511}n.validationCallback?n.validationCallback(l,function(e){o._rowsTimeoutId||e&&o._addLink(u[1],u[0]-o._terminal.buffer.ydisp,l,n,p)}):c._addLink(u[1],u[0]-c._terminal.buffer.ydisp,l,n,p)},c=this;null!==(r=i.exec(t));){if("break"===l())break}},t.prototype._addLink=function(e,t,n,r,o){var a=this,s=l.getStringCellWidth(n),c=e%this._terminal.cols,u=t+Math.floor(e/this._terminal.cols),p=(c+s)%this._terminal.cols,d=u+Math.floor((c+s)/this._terminal.cols);0===p&&(p=this._terminal.cols,d--),this._mouseZoneManager.add(new i.MouseZone(c+1,u+1,p+1,d+1,function(e){if(r.handler)return r.handler(e,n);window.open(n,"_blank")},function(e){a.emit("linkhover",a._createLinkHoverEvent(c,u,p,d,o)),a._terminal.element.classList.add("xterm-cursor-pointer")},function(e){a.emit("linktooltip",a._createLinkHoverEvent(c,u,p,d,o)),r.hoverTooltipCallback&&r.hoverTooltipCallback(e,n)},function(){a.emit("linkleave",a._createLinkHoverEvent(c,u,p,d,o)),a._terminal.element.classList.remove("xterm-cursor-pointer"),r.hoverLeaveCallback&&r.hoverLeaveCallback()},function(e){return!r.willLinkActivate||r.willLinkActivate(e,n)}))},t.prototype._createLinkHoverEvent=function(e,t,n,r,o){return{x1:e,y1:t,x2:n,y2:r,cols:this._terminal.cols,fg:o}},t.TIME_BEFORE_LINKIFY=200,t.OVERSCAN_CHAR_LIMIT=2e3,t}(a.EventEmitter);t.Linkifier=c},3081:function(e,t,n){"use strict";var r,o=this&&this.__extends||(r=function(e,t){return(r=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(e,t){e.__proto__=t}||function(e,t){for(var n in t)t.hasOwnProperty(n)&&(e[n]=t[n])})(e,t)},function(e,t){function n(){this.constructor=e}r(e,t),e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)});Object.defineProperty(t,"__esModule",{value:!0});var i=n(2014),a=n(1722),s=n(1653),l=n(3082),c=n(1644),u=n(3083),p=String.fromCharCode(160),d=new RegExp(p,"g"),f=function(e){function t(t,n){var r=e.call(this)||this;return r._terminal=t,r._charMeasure=n,r._enabled=!0,r._initListeners(),r.enable(),r._model=new l.SelectionModel(t),r._activeSelectionMode=0,r}return o(t,e),t.prototype.dispose=function(){e.prototype.dispose.call(this),this._removeMouseDownListeners()},Object.defineProperty(t.prototype,"_buffer",{get:function(){return this._terminal.buffers.active},enumerable:!0,configurable:!0}),t.prototype._initListeners=function(){var e=this;this._mouseMoveListener=function(t){return e._onMouseMove(t)},this._mouseUpListener=function(t){return e._onMouseUp(t)},this._trimListener=function(t){return e._onTrim(t)},this.initBuffersListeners()},t.prototype.initBuffersListeners=function(){var e=this;this._terminal.buffer.lines.on("trim",this._trimListener),this._terminal.buffers.on("activate",function(t){return e._onBufferActivate(t)})},t.prototype.disable=function(){this.clearSelection(),this._enabled=!1},t.prototype.enable=function(){this._enabled=!0},Object.defineProperty(t.prototype,"selectionStart",{get:function(){return this._model.finalSelectionStart},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"selectionEnd",{get:function(){return this._model.finalSelectionEnd},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"hasSelection",{get:function(){var e=this._model.finalSelectionStart,t=this._model.finalSelectionEnd;return!(!e||!t)&&(e[0]!==t[0]||e[1]!==t[1])},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"selectionText",{get:function(){var e=this._model.finalSelectionStart,t=this._model.finalSelectionEnd;if(!e||!t)return"";var n=[];if(3===this._activeSelectionMode){if(e[0]===t[0])return"";for(var r=e[1];r<=t[1];r++){var o=this._buffer.translateBufferLineToString(r,!0,e[0],t[0]);n.push(o)}}else{var i=e[1]===t[1]?t[0]:void 0;n.push(this._buffer.translateBufferLineToString(e[1],!0,e[0],i));for(r=e[1]+1;r<=t[1]-1;r++){var s=this._buffer.lines.get(r);o=this._buffer.translateBufferLineToString(r,!0);s.isWrapped?n[n.length-1]+=o:n.push(o)}if(e[1]!==t[1]){s=this._buffer.lines.get(t[1]),o=this._buffer.translateBufferLineToString(t[1],!0,0,t[0]);s.isWrapped?n[n.length-1]+=o:n.push(o)}}return n.map(function(e){return e.replace(d," ")}).join(a.isMSWindows?"\r\n":"\n")},enumerable:!0,configurable:!0}),t.prototype.clearSelection=function(){this._model.clearSelection(),this._removeMouseDownListeners(),this.refresh()},t.prototype.refresh=function(e){var t=this;(this._refreshAnimationFrame||(this._refreshAnimationFrame=window.requestAnimationFrame(function(){return t._refresh()})),a.isLinux&&e)&&(this.selectionText.length&&this.emit("newselection",this.selectionText))},t.prototype._refresh=function(){this._refreshAnimationFrame=null,this.emit("refresh",{start:this._model.finalSelectionStart,end:this._model.finalSelectionEnd,columnSelectMode:3===this._activeSelectionMode})},t.prototype.isClickInSelection=function(e){var t=this._getMouseBufferCoords(e),n=this._model.finalSelectionStart,r=this._model.finalSelectionEnd;return!(!n||!r)&&this._areCoordsInSelection(t,n,r)},t.prototype._areCoordsInSelection=function(e,t,n){return e[1]>t[1]&&e[1]<n[1]||t[1]===n[1]&&e[1]===t[1]&&e[0]>=t[0]&&e[0]<n[0]||t[1]<n[1]&&e[1]===n[1]&&e[0]<n[0]||t[1]<n[1]&&e[1]===t[1]&&e[0]>=t[0]},t.prototype.selectWordAtCursor=function(e){var t=this._getMouseBufferCoords(e);t&&(this._selectWordAt(t,!1),this._model.selectionEnd=null,this.refresh(!0))},t.prototype.selectAll=function(){this._model.isSelectAllActive=!0,this.refresh(),this._terminal.emit("selection")},t.prototype.selectLines=function(e,t){this._model.clearSelection(),e=Math.max(e,0),t=Math.min(t,this._terminal.buffer.lines.length-1),this._model.selectionStart=[0,e],this._model.selectionEnd=[this._terminal.cols,t],this.refresh(),this._terminal.emit("selection")},t.prototype._onTrim=function(e){this._model.onTrim(e)&&this.refresh()},t.prototype._getMouseBufferCoords=function(e){var t=this._terminal.mouseHelper.getCoords(e,this._terminal.screenElement,this._charMeasure,this._terminal.cols,this._terminal.rows,!0);return t?(t[0]--,t[1]--,t[1]+=this._terminal.buffer.ydisp,t):null},t.prototype._getMouseEventScrollAmount=function(e){var t=i.MouseHelper.getCoordsRelativeToElement(e,this._terminal.screenElement)[1],n=this._terminal.rows*Math.ceil(this._charMeasure.height*this._terminal.options.lineHeight);return t>=0&&t<=n?0:(t>n&&(t-=n),t=Math.min(Math.max(t,-50),50),(t/=50)/Math.abs(t)+Math.round(14*t))},t.prototype.shouldForceSelection=function(e){return a.isMac?e.altKey&&this._terminal.options.macOptionClickForcesSelection:e.shiftKey},t.prototype.onMouseDown=function(e){if(this._mouseDownTimeStamp=e.timeStamp,(2!==e.button||!this.hasSelection)&&0===e.button){if(!this._enabled){if(!this.shouldForceSelection(e))return;e.stopPropagation()}e.preventDefault(),this._dragScrollAmount=0,this._enabled&&e.shiftKey?this._onIncrementalClick(e):1===e.detail?this._onSingleClick(e):2===e.detail?this._onDoubleClick(e):3===e.detail&&this._onTripleClick(e),this._addMouseDownListeners(),this.refresh(!0)}},t.prototype._addMouseDownListeners=function(){var e=this;this._terminal.element.ownerDocument.addEventListener("mousemove",this._mouseMoveListener),this._terminal.element.ownerDocument.addEventListener("mouseup",this._mouseUpListener),this._dragScrollIntervalTimer=setInterval(function(){return e._dragScroll()},50)},t.prototype._removeMouseDownListeners=function(){this._terminal.element.ownerDocument&&(this._terminal.element.ownerDocument.removeEventListener("mousemove",this._mouseMoveListener),this._terminal.element.ownerDocument.removeEventListener("mouseup",this._mouseUpListener)),clearInterval(this._dragScrollIntervalTimer),this._dragScrollIntervalTimer=null},t.prototype._onIncrementalClick=function(e){this._model.selectionStart&&(this._model.selectionEnd=this._getMouseBufferCoords(e))},t.prototype._onSingleClick=function(e){if(this._model.selectionStartLength=0,this._model.isSelectAllActive=!1,this._activeSelectionMode=this.shouldColumnSelect(e)?3:0,this._model.selectionStart=this._getMouseBufferCoords(e),this._model.selectionStart){this._model.selectionEnd=null;var t=this._buffer.lines.get(this._model.selectionStart[1]);if(t)if(!(t.length>=this._model.selectionStart[0]))0===t.get(this._model.selectionStart[0])[c.CHAR_DATA_WIDTH_INDEX]&&this._model.selectionStart[0]++}},t.prototype._onDoubleClick=function(e){var t=this._getMouseBufferCoords(e);t&&(this._activeSelectionMode=1,this._selectWordAt(t,!0))},t.prototype._onTripleClick=function(e){var t=this._getMouseBufferCoords(e);t&&(this._activeSelectionMode=2,this._selectLineAt(t[1]))},t.prototype.shouldColumnSelect=function(e){return e.altKey&&!(a.isMac&&this._terminal.options.macOptionClickForcesSelection)},t.prototype._onMouseMove=function(e){e.stopImmediatePropagation();var t=this._model.selectionEnd?[this._model.selectionEnd[0],this._model.selectionEnd[1]]:null;if(this._model.selectionEnd=this._getMouseBufferCoords(e),this._model.selectionEnd){if(2===this._activeSelectionMode?this._model.selectionEnd[1]<this._model.selectionStart[1]?this._model.selectionEnd[0]=0:this._model.selectionEnd[0]=this._terminal.cols:1===this._activeSelectionMode&&this._selectToWordAt(this._model.selectionEnd),this._dragScrollAmount=this._getMouseEventScrollAmount(e),3!==this._activeSelectionMode&&(this._dragScrollAmount>0?this._model.selectionEnd[0]=this._terminal.cols:this._dragScrollAmount<0&&(this._model.selectionEnd[0]=0)),this._model.selectionEnd[1]<this._buffer.lines.length){var n=this._buffer.lines.get(this._model.selectionEnd[1]).get(this._model.selectionEnd[0]);n&&0===n[c.CHAR_DATA_WIDTH_INDEX]&&this._model.selectionEnd[0]++}t&&t[0]===this._model.selectionEnd[0]&&t[1]===this._model.selectionEnd[1]||this.refresh(!0)}else this.refresh(!0)},t.prototype._dragScroll=function(){this._dragScrollAmount&&(this._terminal.scrollLines(this._dragScrollAmount,!1),this._dragScrollAmount>0?(3!==this._activeSelectionMode&&(this._model.selectionEnd[0]=this._terminal.cols),this._model.selectionEnd[1]=Math.min(this._terminal.buffer.ydisp+this._terminal.rows,this._terminal.buffer.lines.length-1)):(3!==this._activeSelectionMode&&(this._model.selectionEnd[0]=0),this._model.selectionEnd[1]=this._terminal.buffer.ydisp),this.refresh())},t.prototype._onMouseUp=function(e){var t=e.timeStamp-this._mouseDownTimeStamp;this._removeMouseDownListeners(),this.selectionText.length<=1&&t<500?new u.AltClickHandler(e,this._terminal).move():this.hasSelection&&this._terminal.emit("selection")},t.prototype._onBufferActivate=function(e){this.clearSelection(),e.inactiveBuffer.lines.off("trim",this._trimListener),e.activeBuffer.lines.on("trim",this._trimListener)},t.prototype._convertViewportColToCharacterIndex=function(e,t){for(var n=t[0],r=0;t[0]>=r;r++){var o=e.get(r);0===o[c.CHAR_DATA_WIDTH_INDEX]?n--:o[c.CHAR_DATA_CHAR_INDEX].length>1&&t[0]!==r&&(n+=o[c.CHAR_DATA_CHAR_INDEX].length-1)}return n},t.prototype.setSelection=function(e,t,n){this._model.clearSelection(),this._removeMouseDownListeners(),this._model.selectionStart=[e,t],this._model.selectionStartLength=n,this.refresh()},t.prototype._getWordAt=function(e,t,n,r){if(void 0===n&&(n=!0),void 0===r&&(r=!0),e[0]>=this._terminal.cols)return null;var o=this._buffer.lines.get(e[1]);if(!o)return null;var i=this._buffer.translateBufferLineToString(e[1],!1),a=this._convertViewportColToCharacterIndex(o,e),s=a,l=e[0]-a,u=0,p=0,d=0,f=0;if(" "===i.charAt(a)){for(;a>0&&" "===i.charAt(a-1);)a--;for(;s<i.length&&" "===i.charAt(s+1);)s++}else{var h=e[0],m=e[0];for(0===o.get(h)[c.CHAR_DATA_WIDTH_INDEX]&&(u++,h--),2===o.get(m)[c.CHAR_DATA_WIDTH_INDEX]&&(p++,m++),o.get(m)[c.CHAR_DATA_CHAR_INDEX].length>1&&(f+=o.get(m)[c.CHAR_DATA_CHAR_INDEX].length-1,s+=o.get(m)[c.CHAR_DATA_CHAR_INDEX].length-1);h>0&&a>0&&!this._isCharWordSeparator(o.get(h-1));){0===(b=o.get(h-1))[c.CHAR_DATA_WIDTH_INDEX]?(u++,h--):b[c.CHAR_DATA_CHAR_INDEX].length>1&&(d+=b[c.CHAR_DATA_CHAR_INDEX].length-1,a-=b[c.CHAR_DATA_CHAR_INDEX].length-1),a--,h--}for(;m<o.length&&s+1<i.length&&!this._isCharWordSeparator(o.get(m+1));){var b;2===(b=o.get(m+1))[c.CHAR_DATA_WIDTH_INDEX]?(p++,m++):b[c.CHAR_DATA_CHAR_INDEX].length>1&&(f+=b[c.CHAR_DATA_CHAR_INDEX].length-1,s+=b[c.CHAR_DATA_CHAR_INDEX].length-1),s++,m++}}s++;var g=a+l-u+d,_=Math.min(this._terminal.cols,s-a+u+p-d-f);if(!t&&""===i.slice(a,s).trim())return null;if(n&&0===g&&32!==o.get(0)[c.CHAR_DATA_CODE_INDEX]){var v=this._buffer.lines.get(e[1]-1);if(v&&o.isWrapped&&32!==v.get(this._terminal.cols-1)[c.CHAR_DATA_CODE_INDEX]){var y=this._getWordAt([this._terminal.cols-1,e[1]-1],!1,!0,!1);if(y){var w=this._terminal.cols-y.start;g-=w,_+=w}}}if(r&&g+_===this._terminal.cols&&32!==o.get(this._terminal.cols-1)[c.CHAR_DATA_CODE_INDEX]){var x=this._buffer.lines.get(e[1]+1);if(x&&x.isWrapped&&32!==x.get(0)[c.CHAR_DATA_CODE_INDEX]){var k=this._getWordAt([0,e[1]+1],!1,!1,!0);k&&(_+=k.length)}}return{start:g,length:_}},t.prototype._selectWordAt=function(e,t){var n=this._getWordAt(e,t);if(n){for(;n.start<0;)n.start+=this._terminal.cols,e[1]--;this._model.selectionStart=[n.start,e[1]],this._model.selectionStartLength=n.length}},t.prototype._selectToWordAt=function(e){var t=this._getWordAt(e,!0);if(t){for(var n=e[1];t.start<0;)t.start+=this._terminal.cols,n--;if(!this._model.areSelectionValuesReversed())for(;t.start+t.length>this._terminal.cols;)t.length-=this._terminal.cols,n++;this._model.selectionEnd=[this._model.areSelectionValuesReversed()?t.start:t.start+t.length,n]}},t.prototype._isCharWordSeparator=function(e){return 0!==e[c.CHAR_DATA_WIDTH_INDEX]&&" ()[]{}'\"".indexOf(e[c.CHAR_DATA_CHAR_INDEX])>=0},t.prototype._selectLineAt=function(e){var t=this._buffer.getWrappedRangeForLine(e);this._model.selectionStart=[0,t.first],this._model.selectionEnd=[this._terminal.cols,t.last],this._model.selectionStartLength=0},t}(s.EventEmitter);t.SelectionManager=f},3082:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=function(){function e(e){this._terminal=e,this.clearSelection()}return e.prototype.clearSelection=function(){this.selectionStart=null,this.selectionEnd=null,this.isSelectAllActive=!1,this.selectionStartLength=0},Object.defineProperty(e.prototype,"finalSelectionStart",{get:function(){return this.isSelectAllActive?[0,0]:this.selectionEnd&&this.selectionStart&&this.areSelectionValuesReversed()?this.selectionEnd:this.selectionStart},enumerable:!0,configurable:!0}),Object.defineProperty(e.prototype,"finalSelectionEnd",{get:function(){if(this.isSelectAllActive)return[this._terminal.cols,this._terminal.buffer.ybase+this._terminal.rows-1];if(!this.selectionStart)return null;if(!this.selectionEnd||this.areSelectionValuesReversed()){var e=this.selectionStart[0]+this.selectionStartLength;return e>this._terminal.cols?[e%this._terminal.cols,this.selectionStart[1]+Math.floor(e/this._terminal.cols)]:[e,this.selectionStart[1]]}return this.selectionStartLength&&this.selectionEnd[1]===this.selectionStart[1]?[Math.max(this.selectionStart[0]+this.selectionStartLength,this.selectionEnd[0]),this.selectionEnd[1]]:this.selectionEnd},enumerable:!0,configurable:!0}),e.prototype.areSelectionValuesReversed=function(){var e=this.selectionStart,t=this.selectionEnd;return!(!e||!t)&&(e[1]>t[1]||e[1]===t[1]&&e[0]>t[0])},e.prototype.onTrim=function(e){return this.selectionStart&&(this.selectionStart[1]-=e),this.selectionEnd&&(this.selectionEnd[1]-=e),this.selectionEnd&&this.selectionEnd[1]<0?(this.clearSelection(),!0):(this.selectionStart&&this.selectionStart[1]<0&&(this.selectionStart[1]=0),!1)},e}();t.SelectionModel=r},3083:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=n(1765),o=function(){function e(e,t){var n;this._mouseEvent=e,this._terminal=t,this._lines=this._terminal.buffer.lines,this._startCol=this._terminal.buffer.x,this._startRow=this._terminal.buffer.y;var r=this._terminal.mouseHelper.getCoords(this._mouseEvent,this._terminal.element,this._terminal.charMeasure,this._terminal.cols,this._terminal.rows,!1);r&&(n=r.map(function(e){return e-1}),this._endCol=n[0],this._endRow=n[1])}return e.prototype.move=function(){this._mouseEvent.altKey&&void 0!==this._endCol&&void 0!==this._endRow&&this._terminal.handler(this._arrowSequences())},e.prototype._arrowSequences=function(){return this._terminal.buffer.hasScrollback?this._moveHorizontallyOnly():this._resetStartingRow()+this._moveToRequestedRow()+this._moveToRequestedCol()},e.prototype._resetStartingRow=function(){return 0===this._moveToRequestedRow().length?"":i(this._bufferLine(this._startCol,this._startRow,this._startCol,this._startRow-this._wrappedRowsForRow(this._startRow),!1).length,this._sequence("D"))},e.prototype._moveToRequestedRow=function(){var e=this._startRow-this._wrappedRowsForRow(this._startRow),t=this._endRow-this._wrappedRowsForRow(this._endRow);return i(Math.abs(e-t)-this._wrappedRowsCount(),this._sequence(this._verticalDirection()))},e.prototype._moveToRequestedCol=function(){var e;e=this._moveToRequestedRow().length>0?this._endRow-this._wrappedRowsForRow(this._endRow):this._startRow;var t=this._endRow,n=this._horizontalDirection();return i(this._bufferLine(this._startCol,e,this._endCol,t,"C"===n).length,this._sequence(n))},e.prototype._moveHorizontallyOnly=function(){var e=this._horizontalDirection();return i(Math.abs(this._startCol-this._endCol),this._sequence(e))},e.prototype._wrappedRowsCount=function(){for(var e=0,t=this._startRow-this._wrappedRowsForRow(this._startRow),n=this._endRow-this._wrappedRowsForRow(this._endRow),r=0;r<Math.abs(t-n);r++){var o="A"===this._verticalDirection()?-1:1;this._lines.get(t+o*r).isWrapped&&e++}return e},e.prototype._wrappedRowsForRow=function(e){for(var t=0,n=this._lines.get(e).isWrapped;n&&e>=0&&e<this._terminal.rows;)t++,e--,n=this._lines.get(e).isWrapped;return t},e.prototype._horizontalDirection=function(){var e;return e=this._moveToRequestedRow().length>0?this._endRow-this._wrappedRowsForRow(this._endRow):this._startRow,this._startCol<this._endCol&&e<=this._endRow||this._startCol>=this._endCol&&e<this._endRow?"C":"D"},e.prototype._verticalDirection=function(){return this._startRow>this._endRow?"A":"B"},e.prototype._bufferLine=function(e,t,n,r,o){for(var i=e,a=t,s="";i!==n||a!==r;)i+=o?1:-1,o&&i>this._terminal.cols-1?(s+=this._terminal.buffer.translateBufferLineToString(a,!1,e,i),i=0,e=0,a++):!o&&i<0&&(s+=this._terminal.buffer.translateBufferLineToString(a,!1,0,e+1),e=i=this._terminal.cols-1,a--);return s+this._terminal.buffer.translateBufferLineToString(a,!1,e,i)},e.prototype._sequence=function(e){var t=this._terminal.applicationCursor?"O":"[";return r.C0.ESC+t+e},e}();function i(e,t){e=Math.floor(e);for(var n="",r=0;r<e;r++)n+=t;return n}t.AltClickHandler=o},3084:function(e,t,n){"use strict";var r,o=this&&this.__extends||(r=function(e,t){return(r=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(e,t){e.__proto__=t}||function(e,t){for(var n in t)t.hasOwnProperty(n)&&(e[n]=t[n])})(e,t)},function(e,t){function n(){this.constructor=e}r(e,t),e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)});Object.defineProperty(t,"__esModule",{value:!0});var i=function(e){function t(t,n){var r=e.call(this)||this;return r._document=t,r._parentElement=n,r._measureElement=r._document.createElement("span"),r._measureElement.classList.add("xterm-char-measure-element"),r._measureElement.textContent="W",r._measureElement.setAttribute("aria-hidden","true"),r._parentElement.appendChild(r._measureElement),r}return o(t,e),Object.defineProperty(t.prototype,"width",{get:function(){return this._width},enumerable:!0,configurable:!0}),Object.defineProperty(t.prototype,"height",{get:function(){return this._height},enumerable:!0,configurable:!0}),t.prototype.measure=function(e){this._measureElement.style.fontFamily=e.fontFamily,this._measureElement.style.fontSize=e.fontSize+"px";var t=this._measureElement.getBoundingClientRect();if(0!==t.width&&0!==t.height){var n=Math.ceil(t.height);this._width===t.width&&this._height===n||(this._width=t.width,this._height=n,this.emit("charsizechanged"))}},t}(n(1653).EventEmitter);t.CharMeasure=i},3085:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.DEFAULT_BELL_SOUND="data:audio/wav;base64,UklGRigBAABXQVZFZm10IBAAAAABAAEARKwAAIhYAQACABAAZGF0YQQBAADpAFgCwAMlBZoG/wdmCcoKRAypDQ8PbRDBEQQTOxRtFYcWlBePGIUZXhoiG88bcBz7HHIdzh0WHlMeZx51HmkeUx4WHs8dah0AHXwc3hs9G4saxRnyGBIYGBcQFv8U4RPAEoYRQBACD70NWwwHC6gJOwjWBloF7gOBAhABkf8b/qv8R/ve+Xf4Ife79W/0JfPZ8Z/wde9N7ijtE+wU6xvqM+lb6H7nw+YX5mrlxuQz5Mzje+Ma49fioeKD4nXiYeJy4pHitOL04j/jn+MN5IPkFOWs5U3mDefM55/ogOl36m7rdOyE7abuyu8D8Unyj/Pg9D/2qfcb+Yn6/vuK/Qj/lAAlAg==";var r=function(){function e(e){this._terminal=e}return Object.defineProperty(e,"audioContext",{get:function(){if(!e._audioContext){var t=window.AudioContext||window.webkitAudioContext;if(!t)return console.warn("Web Audio API is not supported by this browser. Consider upgrading to the latest version"),null;e._audioContext=new t}return e._audioContext},enumerable:!0,configurable:!0}),e.prototype.playBellSound=function(){var t=e.audioContext;if(t){var n=t.createBufferSource();t.decodeAudioData(this._base64ToArrayBuffer(this._removeMimeType(this._terminal.options.bellSound)),function(e){n.buffer=e,n.connect(t.destination),n.start(0)})}},e.prototype._base64ToArrayBuffer=function(e){for(var t=window.atob(e),n=t.length,r=new Uint8Array(n),o=0;o<n;o++)r[o]=t.charCodeAt(o);return r.buffer},e.prototype._removeMimeType=function(e){return e.split(",")[1]},e}();t.SoundManager=r},3086:function(e,t,n){"use strict";var r,o=this&&this.__extends||(r=function(e,t){return(r=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(e,t){e.__proto__=t}||function(e,t){for(var n in t)t.hasOwnProperty(n)&&(e[n]=t[n])})(e,t)},function(e,t){function n(){this.constructor=e}r(e,t),e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)});Object.defineProperty(t,"__esModule",{value:!0});var i=n(1840),a=n(1722),s=n(1839),l=n(1764),c=n(1678),u=function(e){function t(t){var n=e.call(this)||this;n._terminal=t,n._liveRegionLineCount=0,n._charsToConsume=[],n._accessibilityTreeRoot=document.createElement("div"),n._accessibilityTreeRoot.classList.add("xterm-accessibility"),n._rowContainer=document.createElement("div"),n._rowContainer.classList.add("xterm-accessibility-tree"),n._rowElements=[];for(var r=0;r<n._terminal.rows;r++)n._rowElements[r]=n._createAccessibilityTreeNode(),n._rowContainer.appendChild(n._rowElements[r]);return n._topBoundaryFocusListener=function(e){return n._onBoundaryFocus(e,0)},n._bottomBoundaryFocusListener=function(e){return n._onBoundaryFocus(e,1)},n._rowElements[0].addEventListener("focus",n._topBoundaryFocusListener),n._rowElements[n._rowElements.length-1].addEventListener("focus",n._bottomBoundaryFocusListener),n._refreshRowsDimensions(),n._accessibilityTreeRoot.appendChild(n._rowContainer),n._renderRowsDebouncer=new s.RenderDebouncer(n._terminal,n._renderRows.bind(n)),n._refreshRows(),n._liveRegion=document.createElement("div"),n._liveRegion.classList.add("live-region"),n._liveRegion.setAttribute("aria-live","assertive"),n._accessibilityTreeRoot.appendChild(n._liveRegion),n._terminal.element.insertAdjacentElement("afterbegin",n._accessibilityTreeRoot),n.register(n._renderRowsDebouncer),n.register(n._terminal.addDisposableListener("resize",function(e){return n._onResize(e.rows)})),n.register(n._terminal.addDisposableListener("refresh",function(e){return n._refreshRows(e.start,e.end)})),n.register(n._terminal.addDisposableListener("scroll",function(e){return n._refreshRows()})),n.register(n._terminal.addDisposableListener("a11y.char",function(e){return n._onChar(e)})),n.register(n._terminal.addDisposableListener("linefeed",function(){return n._onChar("\n")})),n.register(n._terminal.addDisposableListener("a11y.tab",function(e){return n._onTab(e)})),n.register(n._terminal.addDisposableListener("key",function(e){return n._onKey(e)})),n.register(n._terminal.addDisposableListener("blur",function(){return n._clearLiveRegion()})),n.register(n._terminal.addDisposableListener("dprchange",function(){return n._refreshRowsDimensions()})),n.register(n._terminal.renderer.addDisposableListener("resize",function(){return n._refreshRowsDimensions()})),n.register(l.addDisposableDomListener(window,"resize",function(){return n._refreshRowsDimensions()})),n}return o(t,e),t.prototype.dispose=function(){e.prototype.dispose.call(this),this._terminal.element.removeChild(this._accessibilityTreeRoot),this._rowElements.length=0},t.prototype._onBoundaryFocus=function(e,t){var n=e.target,r=this._rowElements[0===t?1:this._rowElements.length-2];if(n.getAttribute("aria-posinset")!==(0===t?"1":""+this._terminal.buffer.lines.length)&&e.relatedTarget===r){var o,i;if(0===t?(o=n,i=this._rowElements.pop(),this._rowContainer.removeChild(i)):(o=this._rowElements.shift(),i=n,this._rowContainer.removeChild(o)),o.removeEventListener("focus",this._topBoundaryFocusListener),i.removeEventListener("focus",this._bottomBoundaryFocusListener),0===t){var a=this._createAccessibilityTreeNode();this._rowElements.unshift(a),this._rowContainer.insertAdjacentElement("afterbegin",a)}else{a=this._createAccessibilityTreeNode();this._rowElements.push(a),this._rowContainer.appendChild(a)}this._rowElements[0].addEventListener("focus",this._topBoundaryFocusListener),this._rowElements[this._rowElements.length-1].addEventListener("focus",this._bottomBoundaryFocusListener),this._terminal.scrollLines(0===t?-1:1),this._rowElements[0===t?1:this._rowElements.length-2].focus(),e.preventDefault(),e.stopImmediatePropagation()}},t.prototype._onResize=function(e){this._rowElements[this._rowElements.length-1].removeEventListener("focus",this._bottomBoundaryFocusListener);for(var t=this._rowContainer.children.length;t<this._terminal.rows;t++)this._rowElements[t]=this._createAccessibilityTreeNode(),this._rowContainer.appendChild(this._rowElements[t]);for(;this._rowElements.length>e;)this._rowContainer.removeChild(this._rowElements.pop());this._rowElements[this._rowElements.length-1].addEventListener("focus",this._bottomBoundaryFocusListener),this._refreshRowsDimensions()},t.prototype._createAccessibilityTreeNode=function(){var e=document.createElement("div");return e.setAttribute("role","listitem"),e.tabIndex=-1,this._refreshRowDimensions(e),e},t.prototype._onTab=function(e){for(var t=0;t<e;t++)this._onChar(" ")},t.prototype._onChar=function(e){var t=this;if(this._liveRegionLineCount<21){if(this._charsToConsume.length>0)this._charsToConsume.shift()!==e&&this._announceCharacter(e);else this._announceCharacter(e);"\n"===e&&(this._liveRegionLineCount++,21===this._liveRegionLineCount&&(this._liveRegion.textContent+=i.tooMuchOutput)),a.isMac&&this._liveRegion.textContent&&this._liveRegion.textContent.length>0&&!this._liveRegion.parentNode&&setTimeout(function(){t._accessibilityTreeRoot.appendChild(t._liveRegion)},0)}},t.prototype._clearLiveRegion=function(){this._liveRegion.textContent="",this._liveRegionLineCount=0,a.isMac&&this._liveRegion.parentNode&&this._accessibilityTreeRoot.removeChild(this._liveRegion)},t.prototype._onKey=function(e){this._clearLiveRegion(),this._charsToConsume.push(e)},t.prototype._refreshRows=function(e,t){this._renderRowsDebouncer.refresh(e,t)},t.prototype._renderRows=function(e,t){for(var n=this._terminal.buffer,r=n.lines.length.toString(),o=e;o<=t;o++){var a=n.translateBufferLineToString(n.ydisp+o,!0),s=(n.ydisp+o+1).toString(),l=this._rowElements[o];l.textContent=0===a.length?i.blankLine:a,l.setAttribute("aria-posinset",s),l.setAttribute("aria-setsize",r)}},t.prototype._refreshRowsDimensions=function(){if(this._terminal.renderer.dimensions.actualCellHeight){this._rowElements.length!==this._terminal.rows&&this._onResize(this._terminal.rows);for(var e=0;e<this._terminal.rows;e++)this._refreshRowDimensions(this._rowElements[e])}},t.prototype._refreshRowDimensions=function(e){e.style.height=this._terminal.renderer.dimensions.actualCellHeight+"px"},t.prototype._announceCharacter=function(e){" "===e?this._liveRegion.innerHTML+="&nbsp;":this._liveRegion.textContent+=e},t}(c.Disposable);t.AccessibilityManager=u},3087:function(e,t,n){"use strict";var r,o=this&&this.__extends||(r=function(e,t){return(r=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(e,t){e.__proto__=t}||function(e,t){for(var n in t)t.hasOwnProperty(n)&&(e[n]=t[n])})(e,t)},function(e,t){function n(){this.constructor=e}r(e,t),e.prototype=null===t?Object.create(t):(n.prototype=t.prototype,new n)});Object.defineProperty(t,"__esModule",{value:!0});var i=n(1653),a=n(1767),s=n(1839),l=n(3088),c=n(1650),u="xterm-dom-renderer-owner-",p="xterm-rows",d="xterm-selection",f=1,h=function(e){function t(t,n){var r=e.call(this)||this;r._terminal=t,r._terminalClass=f++,r._rowElements=[];var o=r._terminal.options.allowTransparency;return r.colorManager=new a.ColorManager(document,o),r.setTheme(n),r._rowContainer=document.createElement("div"),r._rowContainer.classList.add(p),r._rowContainer.style.lineHeight="normal",r._rowContainer.setAttribute("aria-hidden","true"),r._refreshRowElements(r._terminal.cols,r._terminal.rows),r._selectionContainer=document.createElement("div"),r._selectionContainer.classList.add(d),r._selectionContainer.setAttribute("aria-hidden","true"),r.dimensions={scaledCharWidth:null,scaledCharHeight:null,scaledCellWidth:null,scaledCellHeight:null,scaledCharLeft:null,scaledCharTop:null,scaledCanvasWidth:null,scaledCanvasHeight:null,canvasWidth:null,canvasHeight:null,actualCellWidth:null,actualCellHeight:null},r._updateDimensions(),r._renderDebouncer=new s.RenderDebouncer(r._terminal,r._renderRows.bind(r)),r._rowFactory=new l.DomRendererRowFactory(document),r._terminal.element.classList.add(u+r._terminalClass),r._terminal.screenElement.appendChild(r._rowContainer),r._terminal.screenElement.appendChild(r._selectionContainer),r._terminal.linkifier.on("linkhover",function(e){return r._onLinkHover(e)}),r._terminal.linkifier.on("linkleave",function(e){return r._onLinkLeave(e)}),r}return o(t,e),t.prototype.dispose=function(){this._terminal.element.classList.remove(u+this._terminalClass),this._terminal.screenElement.removeChild(this._rowContainer),this._terminal.screenElement.removeChild(this._selectionContainer),this._terminal.screenElement.removeChild(this._themeStyleElement),this._terminal.screenElement.removeChild(this._dimensionsStyleElement),e.prototype.dispose.call(this)},t.prototype._updateDimensions=function(){var e=this;this.dimensions.scaledCharWidth=Math.floor(this._terminal.charMeasure.width*window.devicePixelRatio),this.dimensions.scaledCharHeight=Math.ceil(this._terminal.charMeasure.height*window.devicePixelRatio),this.dimensions.scaledCellWidth=this.dimensions.scaledCharWidth+Math.round(this._terminal.options.letterSpacing),this.dimensions.scaledCellHeight=Math.floor(this.dimensions.scaledCharHeight*this._terminal.options.lineHeight),this.dimensions.scaledCharLeft=0,this.dimensions.scaledCharTop=0,this.dimensions.scaledCanvasWidth=this.dimensions.scaledCellWidth*this._terminal.cols,this.dimensions.scaledCanvasHeight=this.dimensions.scaledCellHeight*this._terminal.rows,this.dimensions.canvasWidth=Math.round(this.dimensions.scaledCanvasWidth/window.devicePixelRatio),this.dimensions.canvasHeight=Math.round(this.dimensions.scaledCanvasHeight/window.devicePixelRatio),this.dimensions.actualCellWidth=this.dimensions.canvasWidth/this._terminal.cols,this.dimensions.actualCellHeight=this.dimensions.canvasHeight/this._terminal.rows,this._rowElements.forEach(function(t){t.style.width=e.dimensions.canvasWidth+"px",t.style.height=e.dimensions.actualCellHeight+"px",t.style.lineHeight=e.dimensions.actualCellHeight+"px",t.style.overflow="hidden"}),this._dimensionsStyleElement||(this._dimensionsStyleElement=document.createElement("style"),this._terminal.screenElement.appendChild(this._dimensionsStyleElement));var t=this._terminalSelector+" ."+p+" span { display: inline-block; height: 100%; vertical-align: top; width: "+this.dimensions.actualCellWidth+"px}";this._dimensionsStyleElement.innerHTML=t,this._selectionContainer.style.height=this._terminal._viewportElement.style.height,this._terminal.screenElement.style.width=this.dimensions.canvasWidth+"px",this._terminal.screenElement.style.height=this.dimensions.canvasHeight+"px"},t.prototype.setTheme=function(e){var t=this;e&&this.colorManager.setTheme(e),this._themeStyleElement||(this._themeStyleElement=document.createElement("style"),this._terminal.screenElement.appendChild(this._themeStyleElement));var n=this._terminalSelector+" ."+p+" { color: "+this.colorManager.colors.foreground.css+"; background-color: "+this.colorManager.colors.background.css+"; font-family: "+this._terminal.getOption("fontFamily")+"; font-size: "+this._terminal.getOption("fontSize")+"px;}";return n+=this._terminalSelector+" span:not(."+l.BOLD_CLASS+") { font-weight: "+this._terminal.options.fontWeight+";}"+this._terminalSelector+" span."+l.BOLD_CLASS+" { font-weight: "+this._terminal.options.fontWeightBold+";}"+this._terminalSelector+" span."+l.ITALIC_CLASS+" { font-style: italic;}",n+=this._terminalSelector+" ."+p+":not(.xterm-focus) ."+l.CURSOR_CLASS+" { outline: 1px solid "+this.colorManager.colors.cursor.css+"; outline-offset: -1px;}"+this._terminalSelector+" ."+p+".xterm-focus ."+l.CURSOR_CLASS+"."+l.CURSOR_STYLE_BLOCK_CLASS+" { background-color: "+this.colorManager.colors.cursor.css+"; color: "+this.colorManager.colors.cursorAccent.css+";}"+this._terminalSelector+" ."+p+".xterm-focus ."+l.CURSOR_CLASS+"."+l.CURSOR_STYLE_BAR_CLASS+" { box-shadow: 1px 0 0 "+this.colorManager.colors.cursor.css+" inset;}"+this._terminalSelector+" ."+p+".xterm-focus ."+l.CURSOR_CLASS+"."+l.CURSOR_STYLE_UNDERLINE_CLASS+" { box-shadow: 0 -1px 0 "+this.colorManager.colors.cursor.css+" inset;}",n+=this._terminalSelector+" ."+d+" { position: absolute; top: 0; left: 0; z-index: 1; pointer-events: none;}"+this._terminalSelector+" ."+d+" div { position: absolute; background-color: "+this.colorManager.colors.selection.css+";}",this.colorManager.colors.ansi.forEach(function(e,r){n+=t._terminalSelector+" .xterm-fg-"+r+" { color: "+e.css+"; }"+t._terminalSelector+" .xterm-bg-"+r+" { background-color: "+e.css+"; }"}),n+=this._terminalSelector+" .xterm-fg-"+c.INVERTED_DEFAULT_COLOR+" { color: "+this.colorManager.colors.background.css+"; }"+this._terminalSelector+" .xterm-bg-"+c.INVERTED_DEFAULT_COLOR+" { background-color: "+this.colorManager.colors.foreground.css+"; }",this._themeStyleElement.innerHTML=n,this.colorManager.colors},t.prototype.onWindowResize=function(e){this._updateDimensions()},t.prototype._refreshRowElements=function(e,t){for(var n=this._rowElements.length;n<=t;n++){var r=document.createElement("div");this._rowContainer.appendChild(r),this._rowElements.push(r)}for(;this._rowElements.length>t;)this._rowContainer.removeChild(this._rowElements.pop())},t.prototype.onResize=function(e,t){this._refreshRowElements(e,t),this._updateDimensions()},t.prototype.onCharSizeChanged=function(){this._updateDimensions()},t.prototype.onBlur=function(){this._rowContainer.classList.remove("xterm-focus")},t.prototype.onFocus=function(){this._rowContainer.classList.add("xterm-focus")},t.prototype.onSelectionChanged=function(e,t,n){for(;this._selectionContainer.children.length;)this._selectionContainer.removeChild(this._selectionContainer.children[0]);if(e&&t){var r=e[1]-this._terminal.buffer.ydisp,o=t[1]-this._terminal.buffer.ydisp,i=Math.max(r,0),a=Math.min(o,this._terminal.rows-1);if(!(i>=this._terminal.rows||a<0)){var s=document.createDocumentFragment();if(n)s.appendChild(this._createSelectionElement(i,e[0],t[0],a-i+1));else{var l=r===i?e[0]:0,c=i===a?t[0]:this._terminal.cols;s.appendChild(this._createSelectionElement(i,l,c));var u=a-i-1;if(s.appendChild(this._createSelectionElement(i+1,0,this._terminal.cols,u)),i!==a){var p=o===a?t[0]:this._terminal.cols;s.appendChild(this._createSelectionElement(a,0,p))}}this._selectionContainer.appendChild(s)}}},t.prototype._createSelectionElement=function(e,t,n,r){void 0===r&&(r=1);var o=document.createElement("div");return o.style.height=r*this.dimensions.actualCellHeight+"px",o.style.top=e*this.dimensions.actualCellHeight+"px",o.style.left=t*this.dimensions.actualCellWidth+"px",o.style.width=this.dimensions.actualCellWidth*(n-t)+"px",o},t.prototype.onCursorMove=function(){},t.prototype.onOptionsChanged=function(){this._updateDimensions(),this.setTheme(void 0),this._terminal.refresh(0,this._terminal.rows-1)},t.prototype.clear=function(){this._rowElements.forEach(function(e){return e.innerHTML=""})},t.prototype.refreshRows=function(e,t){this._renderDebouncer.refresh(e,t)},t.prototype._renderRows=function(e,t){for(var n=this._terminal,r=n.buffer.ybase+n.buffer.y,o=this._terminal.buffer.x,i=e;i<=t;i++){var a=this._rowElements[i];a.innerHTML="";var s=i+n.buffer.ydisp,l=n.buffer.lines.get(s),c=n.options.cursorStyle;a.appendChild(this._rowFactory.createRow(l,s===r,c,o,this.dimensions.actualCellWidth,n.cols))}this._terminal.emit("refresh",{start:e,end:t})},Object.defineProperty(t.prototype,"_terminalSelector",{get:function(){return"."+u+this._terminalClass},enumerable:!0,configurable:!0}),t.prototype.registerCharacterJoiner=function(e){return-1},t.prototype.deregisterCharacterJoiner=function(e){return!1},t.prototype._onLinkHover=function(e){this._setCellUnderline(e.x1,e.x2,e.y1,e.y2,e.cols,!0)},t.prototype._onLinkLeave=function(e){this._setCellUnderline(e.x1,e.x2,e.y1,e.y2,e.cols,!1)},t.prototype._setCellUnderline=function(e,t,n,r,o,i){for(;e!==t||n!==r;){var a=this._rowElements[n];if(!a)return;var s=a.children[e];s&&(s.style.textDecoration=i?"underline":"none"),++e>=o&&(e=0,n++)}},t}(i.EventEmitter);t.DomRenderer=h},3088:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=n(1644),o=n(1650);t.BOLD_CLASS="xterm-bold",t.ITALIC_CLASS="xterm-italic",t.CURSOR_CLASS="xterm-cursor",t.CURSOR_STYLE_BLOCK_CLASS="xterm-cursor-block",t.CURSOR_STYLE_BAR_CLASS="xterm-cursor-bar",t.CURSOR_STYLE_UNDERLINE_CLASS="xterm-cursor-underline";var i=function(){function e(e){this._document=e}return e.prototype.createRow=function(e,n,i,a,s,l){for(var c=this._document.createDocumentFragment(),u=0,p=Math.min(e.length,l)-1;p>=0;p--){if((d=e.get(p))[r.CHAR_DATA_CODE_INDEX]!==r.NULL_CELL_CODE||n&&p===a){u=p+1;break}}for(p=0;p<u;p++){var d,f=(d=e.get(p))[r.CHAR_DATA_CHAR_INDEX]||r.WHITESPACE_CELL_CHAR,h=d[r.CHAR_DATA_ATTR_INDEX],m=d[r.CHAR_DATA_WIDTH_INDEX];if(0!==m){var b=this._document.createElement("span");m>1&&(b.style.width=s*m+"px");var g=h>>18,_=511&h,v=h>>9&511;if(n&&p===a)switch(b.classList.add(t.CURSOR_CLASS),i){case"bar":b.classList.add(t.CURSOR_STYLE_BAR_CLASS);break;case"underline":b.classList.add(t.CURSOR_STYLE_UNDERLINE_CLASS);break;default:b.classList.add(t.CURSOR_STYLE_BLOCK_CLASS)}if(8&g){var y=_;_=v,(v=y)===o.DEFAULT_COLOR&&(v=o.INVERTED_DEFAULT_COLOR),_===o.DEFAULT_COLOR&&(_=o.INVERTED_DEFAULT_COLOR)}1&g&&(v<8&&(v+=8),b.classList.add(t.BOLD_CLASS)),64&g&&b.classList.add(t.ITALIC_CLASS),b.textContent=f,v!==o.DEFAULT_COLOR&&b.classList.add("xterm-fg-"+v),_!==o.DEFAULT_COLOR&&b.classList.add("xterm-bg-"+_),c.appendChild(b)}}return c},e}();t.DomRendererRowFactory=i},3089:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=n(1765),o={48:["0",")"],49:["1","!"],50:["2","@"],51:["3","#"],52:["4","$"],53:["5","%"],54:["6","^"],55:["7","&"],56:["8","*"],57:["9","("],186:[";",":"],187:["=","+"],188:[",","<"],189:["-","_"],190:[".",">"],191:["/","?"],192:["`","~"],219:["[","{"],220:["\\","|"],221:["]","}"],222:["'",'"']};t.evaluateKeyboardEvent=function(e,t,n,i){var a={type:0,cancel:!1,key:void 0},s=(e.shiftKey?1:0)|(e.altKey?2:0)|(e.ctrlKey?4:0)|(e.metaKey?8:0);switch(e.keyCode){case 0:"UIKeyInputUpArrow"===e.key?a.key=t?r.C0.ESC+"OA":r.C0.ESC+"[A":"UIKeyInputLeftArrow"===e.key?a.key=t?r.C0.ESC+"OD":r.C0.ESC+"[D":"UIKeyInputRightArrow"===e.key?a.key=t?r.C0.ESC+"OC":r.C0.ESC+"[C":"UIKeyInputDownArrow"===e.key&&(a.key=t?r.C0.ESC+"OB":r.C0.ESC+"[B");break;case 8:if(e.shiftKey){a.key=r.C0.BS;break}if(e.altKey){a.key=r.C0.ESC+r.C0.DEL;break}a.key=r.C0.DEL;break;case 9:if(e.shiftKey){a.key=r.C0.ESC+"[Z";break}a.key=r.C0.HT,a.cancel=!0;break;case 13:a.key=r.C0.CR,a.cancel=!0;break;case 27:a.key=r.C0.ESC,a.cancel=!0;break;case 37:s?(a.key=r.C0.ESC+"[1;"+(s+1)+"D",a.key===r.C0.ESC+"[1;3D"&&(a.key=n?r.C0.ESC+"b":r.C0.ESC+"[1;5D")):a.key=t?r.C0.ESC+"OD":r.C0.ESC+"[D";break;case 39:s?(a.key=r.C0.ESC+"[1;"+(s+1)+"C",a.key===r.C0.ESC+"[1;3C"&&(a.key=n?r.C0.ESC+"f":r.C0.ESC+"[1;5C")):a.key=t?r.C0.ESC+"OC":r.C0.ESC+"[C";break;case 38:s?(a.key=r.C0.ESC+"[1;"+(s+1)+"A",a.key===r.C0.ESC+"[1;3A"&&(a.key=r.C0.ESC+"[1;5A")):a.key=t?r.C0.ESC+"OA":r.C0.ESC+"[A";break;case 40:s?(a.key=r.C0.ESC+"[1;"+(s+1)+"B",a.key===r.C0.ESC+"[1;3B"&&(a.key=r.C0.ESC+"[1;5B")):a.key=t?r.C0.ESC+"OB":r.C0.ESC+"[B";break;case 45:e.shiftKey||e.ctrlKey||(a.key=r.C0.ESC+"[2~");break;case 46:a.key=s?r.C0.ESC+"[3;"+(s+1)+"~":r.C0.ESC+"[3~";break;case 36:a.key=s?r.C0.ESC+"[1;"+(s+1)+"H":t?r.C0.ESC+"OH":r.C0.ESC+"[H";break;case 35:a.key=s?r.C0.ESC+"[1;"+(s+1)+"F":t?r.C0.ESC+"OF":r.C0.ESC+"[F";break;case 33:e.shiftKey?a.type=2:a.key=r.C0.ESC+"[5~";break;case 34:e.shiftKey?a.type=3:a.key=r.C0.ESC+"[6~";break;case 112:a.key=s?r.C0.ESC+"[1;"+(s+1)+"P":r.C0.ESC+"OP";break;case 113:a.key=s?r.C0.ESC+"[1;"+(s+1)+"Q":r.C0.ESC+"OQ";break;case 114:a.key=s?r.C0.ESC+"[1;"+(s+1)+"R":r.C0.ESC+"OR";break;case 115:a.key=s?r.C0.ESC+"[1;"+(s+1)+"S":r.C0.ESC+"OS";break;case 116:a.key=s?r.C0.ESC+"[15;"+(s+1)+"~":r.C0.ESC+"[15~";break;case 117:a.key=s?r.C0.ESC+"[17;"+(s+1)+"~":r.C0.ESC+"[17~";break;case 118:a.key=s?r.C0.ESC+"[18;"+(s+1)+"~":r.C0.ESC+"[18~";break;case 119:a.key=s?r.C0.ESC+"[19;"+(s+1)+"~":r.C0.ESC+"[19~";break;case 120:a.key=s?r.C0.ESC+"[20;"+(s+1)+"~":r.C0.ESC+"[20~";break;case 121:a.key=s?r.C0.ESC+"[21;"+(s+1)+"~":r.C0.ESC+"[21~";break;case 122:a.key=s?r.C0.ESC+"[23;"+(s+1)+"~":r.C0.ESC+"[23~";break;case 123:a.key=s?r.C0.ESC+"[24;"+(s+1)+"~":r.C0.ESC+"[24~";break;default:if(!e.ctrlKey||e.shiftKey||e.altKey||e.metaKey)if(n&&!i||!e.altKey||e.metaKey)n&&!e.altKey&&!e.ctrlKey&&e.metaKey?65===e.keyCode&&(a.type=1):e.key&&!e.ctrlKey&&!e.altKey&&!e.metaKey&&e.keyCode>=48&&1===e.key.length&&(a.key=e.key);else{var l=o[e.keyCode],c=l&&l[e.shiftKey?1:0];if(c)a.key=r.C0.ESC+c;else if(e.keyCode>=65&&e.keyCode<=90){var u=e.ctrlKey?e.keyCode-64:e.keyCode+32;a.key=r.C0.ESC+String.fromCharCode(u)}}else e.keyCode>=65&&e.keyCode<=90?a.key=String.fromCharCode(e.keyCode-64):32===e.keyCode?a.key=String.fromCharCode(0):e.keyCode>=51&&e.keyCode<=55?a.key=String.fromCharCode(e.keyCode-51+27):56===e.keyCode?a.key=String.fromCharCode(127):219===e.keyCode?a.key=String.fromCharCode(27):220===e.keyCode?a.key=String.fromCharCode(28):221===e.keyCode&&(a.key=String.fromCharCode(29))}return a}},3090:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.clone=function e(t,n){if(void 0===n&&(n=5),"object"!=typeof t)return t;if(null===t)return null;var r=Array.isArray(t)?[]:{};for(var o in t)r[o]=n<=1?t[o]:e(t[o],n-1);return r}},3091:function(e,t,n){"use strict";function r(e){if(!e.element.parentElement)return null;var t=window.getComputedStyle(e.element.parentElement),n=parseInt(t.getPropertyValue("height")),r=Math.max(0,parseInt(t.getPropertyValue("width"))),o=window.getComputedStyle(e.element),i=n-(parseInt(o.getPropertyValue("padding-top"))+parseInt(o.getPropertyValue("padding-bottom"))),a=r-(parseInt(o.getPropertyValue("padding-right"))+parseInt(o.getPropertyValue("padding-left")))-e._core.viewport.scrollBarWidth;return{cols:Math.floor(a/e._core.renderer.dimensions.actualCellWidth),rows:Math.floor(i/e._core.renderer.dimensions.actualCellHeight)}}function o(e){var t=r(e);t&&(e.rows===t.rows&&e.cols===t.cols||(e._core.renderer.clear(),e.resize(t.cols,t.rows)))}Object.defineProperty(t,"__esModule",{value:!0}),t.proposeGeometry=r,t.fit=o,t.apply=function(e){e.prototype.proposeGeometry=function(){return r(this)},e.prototype.fit=function(){o(this)}}},3092:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=new RegExp("(?:^|[^\\da-z\\.-]+)((https?:\\/\\/)((([\\da-z\\.-]+)\\.([a-z\\.]{2,6}))|((\\d{1,3}\\.){3}\\d{1,3})|(localhost))(:\\d{1,5})?(\\/[\\/\\w\\.\\-%~:]*)*([^:\"'\\s])(\\?[0-9\\w\\[\\]\\(\\)\\/\\?\\!#@$%&'*+,:;~\\=\\.\\-]*)?(#[0-9\\w\\[\\]\\(\\)\\/\\?\\!#@$%&'*+,:;~\\=\\.\\-]*)?)($|[^\\/\\w\\.\\-%]+)");function o(e,t){window.open(t,"_blank")}function i(e,t,n){void 0===t&&(t=o),void 0===n&&(n={}),n.matchIndex=1,e.registerLinkMatcher(r,t,n)}t.webLinksInit=i,t.apply=function(e){e.prototype.webLinksInit=function(e,t){i(this,e,t)}}},3093:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.default={background:"#24323E",foreground:"#DBE2E8"}},3094:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.isElementInViewport=function(e){if(!e||!e.getBoundingClientRect)return!1;var t=e.getBoundingClientRect();return t.top>=0&&t.left>=0&&t.bottom<=(window.innerHeight||document.documentElement.clientHeight)&&t.right<=(window.innerWidth||document.documentElement.clientWidth)}},3095:function(e,t,n){"use strict";function r(e,t,n,r){var a,s=e;function l(e,t){r?s.__pushToBuffer(e||t):s.write(e||t)}n=void 0===n||n,s.__socket=t,s.__flushBuffer=function(){s.write(s.__attachSocketBuffer),s.__attachSocketBuffer=null},s.__pushToBuffer=function(e){s.__attachSocketBuffer?s.__attachSocketBuffer+=e:(s.__attachSocketBuffer=e,setTimeout(s.__flushBuffer,10))},s.__getMessage=function(e){if("object"==typeof e.data)if(a||(a=new TextDecoder),e.data instanceof ArrayBuffer)l(a.decode(e.data));else{var t=new FileReader;t.addEventListener("load",function(){l(a.decode(t.result))}),t.readAsArrayBuffer(e.data)}else{if("string"!=typeof e.data)throw Error('Cannot handle "'+typeof e.data+'" websocket message.');l(e.data)}},s.__sendData=function(e){1===t.readyState&&t.send(e)},s._core.register(o(t,"message",s.__getMessage)),n&&s._core.register(s.addDisposableListener("data",s.__sendData)),s._core.register(o(t,"close",function(){return i(s,t)})),s._core.register(o(t,"error",function(){return i(s,t)}))}function o(e,t,n){return e.addEventListener(t,n),{dispose:function(){n&&(e.removeEventListener(t,n),n=null)}}}function i(e,t){var n=e;n.off("data",n.__sendData),(t=void 0===t?n.__socket:t)&&t.removeEventListener("message",n.__getMessage),delete n.__socket}Object.defineProperty(t,"__esModule",{value:!0}),t.attach=r,t.detach=i,t.apply=function(e){e.prototype.attach=function(e,t,n){r(this,e,t,n)},e.prototype.detach=function(e){i(this,e)}}},3096:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.default=function(e,t){var n=t?t.padding:32,r=function(e){return e.classList.contains("xterm-helper-textarea")},o=function(e){return e.classList.contains("xterm-screen")},i=function(e){return function(e){return e.classList.contains("xterm-cursor-layer")}(e)||o(e)||r(e)},a=function(e){var t=e.target;if(r(t)){var a=t.parentElement&&t.parentElement.parentElement||{classList:[]};if(!o(a))return void console.warn("Unrecognized DOM structure. Unable to make xterm scroll adjustments.");t=a}if(i(t)){var s=t.getBoundingClientRect(),l=s.top,c=s.bottom,u=s.height,p=window,d=p.innerHeight,f=p.pageYOffset,h=f+c-d+n,m=f+l-n;if(u+n>d)return void(e.scrollPos=h);if(l<0)return void(e.scrollPos=m);if(c>d)return void(e.scrollPos=h)}},s=function(e){var t=e.target,n=e.scrollPos;(n||0===n)&&i(t)&&window.scrollTo(0,e.scrollPos)};return e.addEventListener("mousedown",a,!0),e.addEventListener("mousedown",s),e.addEventListener("keyup",a,!0),e.addEventListener("keyup",s),{removeEventListeners:function(){e.removeEventListener("mousedown",a,!0),e.removeEventListener("mousedown",s),e.removeEventListener("keyup",a,!0),e.removeEventListener("keyup",s)}}}},3097:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.default=void 0;var r=function(){function e(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}return function(t,n,r){return n&&e(t.prototype,n),r&&e(t,r),t}}(),o=n(1),i=u(o),a=n(141),s=n(31),l=u(n(3098)),c=u(n(3099));function u(e){return e&&e.__esModule?e:{default:e}}var p=function(e){function t(e){!function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}(this,t);var n=function(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}(this,(t.__proto__||Object.getPrototypeOf(t)).call(this,e));return n.store=(0,a.createStore)(l.default),n}return function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}(t,o.Component),r(t,[{key:"render",value:function(){return i.default.createElement(s.Provider,{store:this.store},i.default.createElement(c.default,this.props))}}]),t}();t.default=p},3098:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r,o=n(141),i=n(1677),a=(r=i)&&r.__esModule?r:{default:r};var s=(0,o.combineReducers)({connectionsState:a.default});t.default=s},3099:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=function(){function e(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}return function(t,n,r){return n&&e(t.prototype,n),r&&e(t,r),t}}(),o=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var n=arguments[t];for(var r in n)Object.prototype.hasOwnProperty.call(n,r)&&(e[r]=n[r])}return e},i=f(n(1)),a=f(n(0)),s=n(31),l=f(n(1676)),c=f(n(1720)),u=n(33),p=n(3100),d=n(1677);function f(e){return e&&e.__esModule?e:{default:e}}function h(e,t){var n=[];return{layout:function e(n,r){if("horizontal"===n.type||"vertical"===n.type)return Object.assign({},n,{parts:n.parts.map(function(t){return e(t,r)})});var o=n.component,i=t[n.key]||l.default.v4();t[n.key]=i;var a=n.key||i;return r.push({component:o,id:i,key:a}),Object.assign({},n,{component:void 0,name:i})}(e,n),components:n}}function m(e){return o({},e,{layout:function e(t){return"horizontal"===t.type||"vertical"===t.type?{type:t.type,parts:t.parts.map(e)}:{weight:t.weight,key:t.key}}(e.layout)})}var b=function(e){function t(e){!function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}(this,t);var n=function(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}(this,(t.__proto__||Object.getPrototypeOf(t)).call(this,e)),r={},o=h(e.layout.layout,r),i=o.layout,a=o.components;return n.state={layout:i,components:a,keyCache:r},n}return function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}(t,i.default.Component),r(t,null,[{key:"propTypes",get:function(){return{layout:a.default.object,areAllConnected:a.default.bool.isRequired,areAnyTimedOut:a.default.bool.isRequired}}}]),r(t,[{key:"componentWillReceiveProps",value:function(e){var t=h(e.layout.layout,this.state.keyCache),n=t.layout,r=t.components;this.setState({layout:n,components:r}),this.areLayoutsEqual(this.props.layout,e.layout)||this.layout(e,{layout:n,components:r})}},{key:"componentDidMount",value:function(){this.layout(this.props,this.state)}},{key:"areLayoutsEqual",value:function(e,t){return c.default.isEqual(m(e),m(t))}},{key:"layout",value:function(e,t){(0,p.loadLayout)(Object.assign({},e.layout,{layout:t.layout}),this.node)}},{key:"render",value:function(){var e=this,t=this.props.areAnyTimedOut;return i.default.createElement("div",{id:"layout",style:{height:"100%"}},this.props.areAllConnected?null:i.default.createElement(g,{timedOut:t}),i.default.createElement("div",{id:"layout_main",ref:function(t){return e.node=t},style:{height:"100%"},className:t?"hidden":null},this.state.components.map(function(e){var t=e.component,n=e.id,r=e.key;return i.default.cloneElement(t,{key:r,id:n})})))}}]),t}(),g=function(e){return i.default.createElement("div",{style:{height:"100%",background:"#525c65",width:"100%",display:"flex",alignItems:"center",justifyContent:"center",position:"relative",zIndex:"5",opacity:"0.9"}},e.timedOut?i.default.createElement("p",{style:{margin:"50px",color:"white",fontSize:"1rem"}},"Timed out while reconnecting. Please choose Refresh Workspace from the Menu below."):i.default.createElement(u.Loading,null))};g.propTypes={timedOut:a.default.bool.isRequired};t.default=(0,s.connect)(function(e){return{areAllConnected:(0,d.getAreAllConnected)(e.connectionsState),areAnyTimedOut:(0,d.getAreAnyTimedOut)(e.connectionsState)}})(b)},3100:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.loadLayout=void 0;var r=i(n(1720)),o=i(n(3101));function i(e){return e&&e.__esModule?e:{default:e}}t.loadLayout=function(e,t){if(!e)throw new Error("Must provide a layout to loadLayout!");var n=e;function i(e){if("panel"!==e.type&&e.type){for(var t=0;t<e.parts.length;t++){if(!i(e.parts[t]))return!1}return!0}return n.is_hidden[e.key]}function a(e){var t={},n={},r=[];return function e(o,a,s,l,c,u,p,d,f,h){var m;if("horizontal"===o.type||"vertical"===o.type){var b=[];for(m=0;m<o.parts.length;m++){var g=o.parts[m];i(g)?r.push(g.name):b.push(g)}var _=b.length,v="horizontal"===o.type?"x":"y",y=0;for(m=0;m<_;m++)b[m].weight||(b[m].weight=1),b[m].weight<0&&(b[m].weight=0),y+=b[m].weight;for(m=0;m<_;m++)b[m].weight=b[m].weight/y;var w="x"===v?c-l:s-a,x=[],k="x"===v?l:a;for(x.push(k),m=0;m<_;m++)k+=b[m].weight*w,x.push(k);x[x.length-1]="x"===v?c:s;var C=[];for(C.push("x"===v?d:u),m=0;m<_-1;m++){var E="split"+h+"_"+v+m,O={name:E,axis:v},T={};"x"===v?(O.left=[],O.right=[],u&&u.bottom.push(E),p&&p.top.push(E),T.t=100*a+"%",T.b=100*(1-s)+"%",T.l=100*x[m+1]+"%",T.r="auto"):(O.top=[],O.bottom=[],d&&d.right.push(E),f&&f.left.push(E),T.t=100*x[m+1]+"%",T.b="auto",T.l=100*l+"%",T.r=100*(1-c)+"%"),n[E]=O,t[E]=T,C.push(O)}for(C.push("x"===v?f:p),m=0;m<_;m++)"x"===v?e(b[m],a,s,x[m],x[m+1],u,p,C[m],C[m+1],h+"_"+v+m):e(b[m],x[m],x[m+1],l,c,C[m],C[m+1],d,f,h+"_"+v+m)}else t[o.name]={t:100*a+"%",b:100*(1-s)+"%",l:100*l+"%",r:100*(1-c)+"%"},f&&f.left.push(o.name),d&&d.right.push(o.name),u&&u.bottom.push(o.name),p&&p.top.push(o.name)}(e,0,1,0,1,null,null,null,null,""),{divs:t,splits:n,hidden:r}}function s(){var e,t;n.cur_conf&&!n.maximized&&(e=n.layout,t=n.cur_conf,function e(n,r,o,a,s,l){var c;if("horizontal"===n.type||"vertical"===n.type){var u,p=[],d=0;for(c=0;c<n.parts.length;c++)i(u=n.parts[c])?d+=u.weight:p.push(u);var f,h,m,b="horizontal"===n.type?"x":"y";"x"===b?(f=a,h=s):(f=r,h=o);var g=f,_=p.length;for(c=0;c<_;c++){if(u=p[c],m=g,c<_-1){var v=t.divs["split"+l+"_"+b+c];g="x"===b?parseFloat(v.l)/100:parseFloat(v.t)/100}else g=h;var y=(1-d)*(g-m)/(h-f);u.weight=y,"x"===b?e(u,r,o,m,g,l+"_"+b+c):e(u,m,g,a,s,l+"_"+b+c)}}}(e,0,1,0,1,""))}function l(){var e=void 0;if(n.maximized){var r=function e(t,n){if(t.type&&"panel"!==t.type){var r=!0,o=!1,i=void 0;try{for(var a,s=t.parts[Symbol.iterator]();!(r=(a=s.next()).done);r=!0){var l=e(a.value,n);if(l)return l}}catch(e){o=!0,i=e}finally{try{!r&&s.return&&s.return()}finally{if(o)throw i}}}else if(t.key===n)return t.name;return null}(n.layout,n.maximized);(e=a({type:"panel",name:r})).hidden=c(n.layout).filter(function(e){return e!==r})}else n.cur_conf=a(n.layout),e=n.cur_conf;o.default.render(e,t)}function c(e){return e.name?[e.name]:e.parts?r.default.flatMap(e.parts,c):[]}n.is_hidden=n.is_hidden||{},n.maximized=n.maximized||"",window.Layout=n,n.maximize=function(e){n.maximized=e,l()},n.minimize=function(){n.maximized="",l()},n.toggle_pane=function(e){s(),n.is_hidden[e]=!n.is_hidden[e],l()},n.close_pane=function(e){s(),n.is_hidden[e]=!0,l()},n.open_pane=function(e){s(),n.is_hidden[e]=!1,l()},n.render_configs=l,n.render_configs()}},3101:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r,o=n(123),i=(r=o)&&r.__esModule?r:{default:r};var a={left:"l",right:"r",top:"t",bottom:"b"},s={right:"left",left:"right",top:"bottom",bottom:"top"};function l(e,t,n){var r=arguments.length>3&&void 0!==arguments[3]?arguments[3]:NaN,o=e.css(t);return"none"===o?r:o.endsWith("%")?n*parseFloat(o.replace("%",""))/100:parseInt(o.replace("px",""))}function c(e,t){var n={};for(var r in a){var o=a[r];o in t&&(n[r]=t[o])}e.css(n)}function u(e,t,n,r,o,s,u,p){var d=p.resize,f=void 0!==d&&d,h=void 0,m=void 0,b=void 0,g=void 0;"x"===t.axis?(h="right",m="left",b="min-width",g="max-width"):(h="bottom",m="top",b="min-height",g="max-height");var _=t[m],v=t[h];_.forEach(function(e){var t=(0,i.default)("#"+e),n=l(t,m,u),r=Math.max(10,l(t,b,u,0));o<n+r&&(o=n+r);var a=l(t,g,u,1/0);o>n+a-s&&(o=n+a-s)}),v.forEach(function(e){var t=(0,i.default)("#"+e),n=u-l(t,h,u),r=Math.max(10,l(t,b,u,0));o>n-r-s&&(o=n-r-s);var a=l(t,g,u,1/0);o<n-a&&(o=n-a)});var y=100*o/u,w=100*(o+s)/u;return _.forEach(function(t){var n=e[t];n[a[h]]=100-y+"%";var r=(0,i.default)("#"+t);c(r,n),f&&r.trigger("resize")}),v.forEach(function(t){var n=e[t];n[a[m]]=w+"%";var r=(0,i.default)("#"+t);c(r,n),f&&r.trigger("resize")}),n[a[m]]=y+"%",r.css(m,y+"%"),o}function p(e,t,n){var r=void 0,o=void 0,i=void 0,a=void 0;"x"===t.axis?(r=t.left,o="r",i=t.right,a="l"):(r=t.top,o="b",i=t.bottom,a="t");var s=void 0;for(s=0;s<r.length;++s){e[r[s]][o]=100-parseFloat(e[n][a])+"%"}for(s=0;s<i.length;++s){e[i[s]][a]=parseFloat(e[n][a])+"%"}}t.default={render:function(e,t){var n=(0,i.default)(t);!function(e){var t=e.splits;for(var n in t)p(e.divs,t[n],n)}(e);var r=e.divs;for(var o in(0,i.default)(".resize").remove(),r){var d=r[o],f=(0,i.default)("#"+o);e.splits[o]||(f.addClass("panel"),c(f,d))}for(var h in r){var m=(0,i.default)("#"+h);m.trigger("resize"),m.show()}var b=!0,g=!1,_=void 0;try{for(var v,y=e.hidden[Symbol.iterator]();!(b=(v=y.next()).done);b=!0){var w=v.value;(0,i.default)("#"+w).hide()}}catch(e){g=!0,_=e}finally{try{!b&&y.return&&y.return()}finally{if(g)throw _}}var x=function(t){var o=r[t],l=e.splits[t],p=(0,i.default)("<div>").attr("id",t).appendTo(n).addClass("resize").addClass("resize_"+l.axis),d=function(e){l[e]&&l[e].forEach(function(t){p.addClass("split_"+s[e]+"_"+t)})};for(var f in a)d(f);!function(e,t,n,r){var o=e.divs,a=e.splits[t],s=o[t];function l(e,t,i){var l=void 0,c=void 0,p=void 0;"x"===a.axis?(l=t.helper.width(),c=r.width(),p=t.position.left):(l=t.helper.height(),c=r.height(),p=t.position.top);var d=u(o,a,s,n,p,l,c,{resize:i});"x"===a.axis?t.position.left=d:t.position.top=d}n.draggable({axis:a.axis,start:function(e,t){(0,i.default)(".panel").css("pointer-events","none"),l(0,t)},stop:function(e,t){l(0,t,!0),(0,i.default)(".panel").css("pointer-events","auto")},drag:l,iframeFix:!1,containment:"parent"})}(e,t,p,n),c(p,o)};for(var k in e.splits)x(k);for(var C in r)if(!(0,i.default)("#"+C)[0])throw new Error("id "+C+" has no div");for(var k in e.splits){var E=e.splits[k],O=(0,i.default)("#"+k),T=r[k],S=void 0,P=void 0,M=void 0;"x"===E.axis?(S=O.width(),M=l(O,"left",P=n.width())):(S=O.height(),M=l(O,"top",P=n.height())),u(r,E,T,O,M,S,P,{resize:!1})}}}},3102:function(e,t,n){n(1654)(n(3103))},3103:function(e,t){e.exports="/*!\n * jQuery Cookie Plugin v1.4.1\n * https://github.com/carhartl/jquery-cookie\n *\n * Copyright 2013 Klaus Hartl\n * Released under the MIT license\n */\n(function (factory) {\n\tif (typeof define === 'function' && define.amd) {\n\t\t// AMD\n\t\tdefine(['jquery'], factory);\n\t} else if (typeof exports === 'object') {\n\t\t// CommonJS\n\t\tfactory(require('jquery'));\n\t} else {\n\t\t// Browser globals\n\t\tfactory(jQuery);\n\t}\n}(function ($) {\n\n\tvar pluses = /\\+/g;\n\n\tfunction encode(s) {\n\t\treturn config.raw ? s : encodeURIComponent(s);\n\t}\n\n\tfunction decode(s) {\n\t\treturn config.raw ? s : decodeURIComponent(s);\n\t}\n\n\tfunction stringifyCookieValue(value) {\n\t\treturn encode(config.json ? JSON.stringify(value) : String(value));\n\t}\n\n\tfunction parseCookieValue(s) {\n\t\tif (s.indexOf('\"') === 0) {\n\t\t\t// This is a quoted cookie as according to RFC2068, unescape...\n\t\t\ts = s.slice(1, -1).replace(/\\\\\"/g, '\"').replace(/\\\\\\\\/g, '\\\\');\n\t\t}\n\n\t\ttry {\n\t\t\t// Replace server-side written pluses with spaces.\n\t\t\t// If we can't decode the cookie, ignore it, it's unusable.\n\t\t\t// If we can't parse the cookie, ignore it, it's unusable.\n\t\t\ts = decodeURIComponent(s.replace(pluses, ' '));\n\t\t\treturn config.json ? JSON.parse(s) : s;\n\t\t} catch(e) {}\n\t}\n\n\tfunction read(s, converter) {\n\t\tvar value = config.raw ? s : parseCookieValue(s);\n\t\treturn $.isFunction(converter) ? converter(value) : value;\n\t}\n\n\tvar config = $.cookie = function (key, value, options) {\n\n\t\t// Write\n\n\t\tif (value !== undefined && !$.isFunction(value)) {\n\t\t\toptions = $.extend({}, config.defaults, options);\n\n\t\t\tif (typeof options.expires === 'number') {\n\t\t\t\tvar days = options.expires, t = options.expires = new Date();\n\t\t\t\tt.setTime(+t + days * 864e+5);\n\t\t\t}\n\n\t\t\treturn (document.cookie = [\n\t\t\t\tencode(key), '=', stringifyCookieValue(value),\n\t\t\t\toptions.expires ? '; expires=' + options.expires.toUTCString() : '', // use expires attribute, max-age is not supported by IE\n\t\t\t\toptions.path ? '; path=' + options.path : '',\n\t\t\t\toptions.domain ? '; domain=' + options.domain : '',\n\t\t\t\toptions.secure ? '; secure' : ''\n\t\t\t].join(''));\n\t\t}\n\n\t\t// Read\n\n\t\tvar result = key ? undefined : {};\n\n\t\t// To prevent the for loop in the first place assign an empty array\n\t\t// in case there are no cookies at all. Also prevents odd result when\n\t\t// calling $.cookie().\n\t\tvar cookies = document.cookie ? document.cookie.split('; ') : [];\n\n\t\tfor (var i = 0, l = cookies.length; i < l; i++) {\n\t\t\tvar parts = cookies[i].split('=');\n\t\t\tvar name = decode(parts.shift());\n\t\t\tvar cookie = parts.join('=');\n\n\t\t\tif (key && key === name) {\n\t\t\t\t// If second argument (value) is a function it's a converter...\n\t\t\t\tresult = read(cookie, value);\n\t\t\t\tbreak;\n\t\t\t}\n\n\t\t\t// Prevent storing a cookie that we couldn't decode.\n\t\t\tif (!key && (cookie = read(cookie)) !== undefined) {\n\t\t\t\tresult[name] = cookie;\n\t\t\t}\n\t\t}\n\n\t\treturn result;\n\t};\n\n\tconfig.defaults = {};\n\n\t$.removeCookie = function (key, options) {\n\t\tif ($.cookie(key) === undefined) {\n\t\t\treturn false;\n\t\t}\n\n\t\t// Must not alter options, thus extending a fresh object...\n\t\t$.cookie(key, '', $.extend({}, options, { expires: -1 }));\n\t\treturn !$.cookie(key);\n\t};\n\n}));\n"},3104:function(e,t,n){n(1654)(n(3105))},3105:function(e,t){e.exports='/*!\n * jQuery UI Widget 1.12.1\n * http://jqueryui.com\n *\n * Copyright jQuery Foundation and other contributors\n * Released under the MIT license.\n * http://jquery.org/license\n */\n\n//>>label: Widget\n//>>group: Core\n//>>description: Provides a factory for creating stateful widgets with a common API.\n//>>docs: http://api.jqueryui.com/jQuery.widget/\n//>>demos: http://jqueryui.com/widget/\n\n( function( factory ) {\n\tif ( typeof define === "function" && define.amd ) {\n\n\t\t// AMD. Register as an anonymous module.\n\t\tdefine( [ "jquery", "./version" ], factory );\n\t} else {\n\n\t\t// Browser globals\n\t\tfactory( jQuery );\n\t}\n}( function( $ ) {\n\nvar widgetUuid = 0;\nvar widgetSlice = Array.prototype.slice;\n\n$.cleanData = ( function( orig ) {\n\treturn function( elems ) {\n\t\tvar events, elem, i;\n\t\tfor ( i = 0; ( elem = elems[ i ] ) != null; i++ ) {\n\t\t\ttry {\n\n\t\t\t\t// Only trigger remove when necessary to save time\n\t\t\t\tevents = $._data( elem, "events" );\n\t\t\t\tif ( events && events.remove ) {\n\t\t\t\t\t$( elem ).triggerHandler( "remove" );\n\t\t\t\t}\n\n\t\t\t// Http://bugs.jquery.com/ticket/8235\n\t\t\t} catch ( e ) {}\n\t\t}\n\t\torig( elems );\n\t};\n} )( $.cleanData );\n\n$.widget = function( name, base, prototype ) {\n\tvar existingConstructor, constructor, basePrototype;\n\n\t// ProxiedPrototype allows the provided prototype to remain unmodified\n\t// so that it can be used as a mixin for multiple widgets (#8876)\n\tvar proxiedPrototype = {};\n\n\tvar namespace = name.split( "." )[ 0 ];\n\tname = name.split( "." )[ 1 ];\n\tvar fullName = namespace + "-" + name;\n\n\tif ( !prototype ) {\n\t\tprototype = base;\n\t\tbase = $.Widget;\n\t}\n\n\tif ( $.isArray( prototype ) ) {\n\t\tprototype = $.extend.apply( null, [ {} ].concat( prototype ) );\n\t}\n\n\t// Create selector for plugin\n\t$.expr[ ":" ][ fullName.toLowerCase() ] = function( elem ) {\n\t\treturn !!$.data( elem, fullName );\n\t};\n\n\t$[ namespace ] = $[ namespace ] || {};\n\texistingConstructor = $[ namespace ][ name ];\n\tconstructor = $[ namespace ][ name ] = function( options, element ) {\n\n\t\t// Allow instantiation without "new" keyword\n\t\tif ( !this._createWidget ) {\n\t\t\treturn new constructor( options, element );\n\t\t}\n\n\t\t// Allow instantiation without initializing for simple inheritance\n\t\t// must use "new" keyword (the code above always passes args)\n\t\tif ( arguments.length ) {\n\t\t\tthis._createWidget( options, element );\n\t\t}\n\t};\n\n\t// Extend with the existing constructor to carry over any static properties\n\t$.extend( constructor, existingConstructor, {\n\t\tversion: prototype.version,\n\n\t\t// Copy the object used to create the prototype in case we need to\n\t\t// redefine the widget later\n\t\t_proto: $.extend( {}, prototype ),\n\n\t\t// Track widgets that inherit from this widget in case this widget is\n\t\t// redefined after a widget inherits from it\n\t\t_childConstructors: []\n\t} );\n\n\tbasePrototype = new base();\n\n\t// We need to make the options hash a property directly on the new instance\n\t// otherwise we\'ll modify the options hash on the prototype that we\'re\n\t// inheriting from\n\tbasePrototype.options = $.widget.extend( {}, basePrototype.options );\n\t$.each( prototype, function( prop, value ) {\n\t\tif ( !$.isFunction( value ) ) {\n\t\t\tproxiedPrototype[ prop ] = value;\n\t\t\treturn;\n\t\t}\n\t\tproxiedPrototype[ prop ] = ( function() {\n\t\t\tfunction _super() {\n\t\t\t\treturn base.prototype[ prop ].apply( this, arguments );\n\t\t\t}\n\n\t\t\tfunction _superApply( args ) {\n\t\t\t\treturn base.prototype[ prop ].apply( this, args );\n\t\t\t}\n\n\t\t\treturn function() {\n\t\t\t\tvar __super = this._super;\n\t\t\t\tvar __superApply = this._superApply;\n\t\t\t\tvar returnValue;\n\n\t\t\t\tthis._super = _super;\n\t\t\t\tthis._superApply = _superApply;\n\n\t\t\t\treturnValue = value.apply( this, arguments );\n\n\t\t\t\tthis._super = __super;\n\t\t\t\tthis._superApply = __superApply;\n\n\t\t\t\treturn returnValue;\n\t\t\t};\n\t\t} )();\n\t} );\n\tconstructor.prototype = $.widget.extend( basePrototype, {\n\n\t\t// TODO: remove support for widgetEventPrefix\n\t\t// always use the name + a colon as the prefix, e.g., draggable:start\n\t\t// don\'t prefix for widgets that aren\'t DOM-based\n\t\twidgetEventPrefix: existingConstructor ? ( basePrototype.widgetEventPrefix || name ) : name\n\t}, proxiedPrototype, {\n\t\tconstructor: constructor,\n\t\tnamespace: namespace,\n\t\twidgetName: name,\n\t\twidgetFullName: fullName\n\t} );\n\n\t// If this widget is being redefined then we need to find all widgets that\n\t// are inheriting from it and redefine all of them so that they inherit from\n\t// the new version of this widget. We\'re essentially trying to replace one\n\t// level in the prototype chain.\n\tif ( existingConstructor ) {\n\t\t$.each( existingConstructor._childConstructors, function( i, child ) {\n\t\t\tvar childPrototype = child.prototype;\n\n\t\t\t// Redefine the child widget using the same prototype that was\n\t\t\t// originally used, but inherit from the new version of the base\n\t\t\t$.widget( childPrototype.namespace + "." + childPrototype.widgetName, constructor,\n\t\t\t\tchild._proto );\n\t\t} );\n\n\t\t// Remove the list of existing child constructors from the old constructor\n\t\t// so the old child constructors can be garbage collected\n\t\tdelete existingConstructor._childConstructors;\n\t} else {\n\t\tbase._childConstructors.push( constructor );\n\t}\n\n\t$.widget.bridge( name, constructor );\n\n\treturn constructor;\n};\n\n$.widget.extend = function( target ) {\n\tvar input = widgetSlice.call( arguments, 1 );\n\tvar inputIndex = 0;\n\tvar inputLength = input.length;\n\tvar key;\n\tvar value;\n\n\tfor ( ; inputIndex < inputLength; inputIndex++ ) {\n\t\tfor ( key in input[ inputIndex ] ) {\n\t\t\tvalue = input[ inputIndex ][ key ];\n\t\t\tif ( input[ inputIndex ].hasOwnProperty( key ) && value !== undefined ) {\n\n\t\t\t\t// Clone objects\n\t\t\t\tif ( $.isPlainObject( value ) ) {\n\t\t\t\t\ttarget[ key ] = $.isPlainObject( target[ key ] ) ?\n\t\t\t\t\t\t$.widget.extend( {}, target[ key ], value ) :\n\n\t\t\t\t\t\t// Don\'t extend strings, arrays, etc. with objects\n\t\t\t\t\t\t$.widget.extend( {}, value );\n\n\t\t\t\t// Copy everything else by reference\n\t\t\t\t} else {\n\t\t\t\t\ttarget[ key ] = value;\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\t}\n\treturn target;\n};\n\n$.widget.bridge = function( name, object ) {\n\tvar fullName = object.prototype.widgetFullName || name;\n\t$.fn[ name ] = function( options ) {\n\t\tvar isMethodCall = typeof options === "string";\n\t\tvar args = widgetSlice.call( arguments, 1 );\n\t\tvar returnValue = this;\n\n\t\tif ( isMethodCall ) {\n\n\t\t\t// If this is an empty collection, we need to have the instance method\n\t\t\t// return undefined instead of the jQuery instance\n\t\t\tif ( !this.length && options === "instance" ) {\n\t\t\t\treturnValue = undefined;\n\t\t\t} else {\n\t\t\t\tthis.each( function() {\n\t\t\t\t\tvar methodValue;\n\t\t\t\t\tvar instance = $.data( this, fullName );\n\n\t\t\t\t\tif ( options === "instance" ) {\n\t\t\t\t\t\treturnValue = instance;\n\t\t\t\t\t\treturn false;\n\t\t\t\t\t}\n\n\t\t\t\t\tif ( !instance ) {\n\t\t\t\t\t\treturn $.error( "cannot call methods on " + name +\n\t\t\t\t\t\t\t" prior to initialization; " +\n\t\t\t\t\t\t\t"attempted to call method \'" + options + "\'" );\n\t\t\t\t\t}\n\n\t\t\t\t\tif ( !$.isFunction( instance[ options ] ) || options.charAt( 0 ) === "_" ) {\n\t\t\t\t\t\treturn $.error( "no such method \'" + options + "\' for " + name +\n\t\t\t\t\t\t\t" widget instance" );\n\t\t\t\t\t}\n\n\t\t\t\t\tmethodValue = instance[ options ].apply( instance, args );\n\n\t\t\t\t\tif ( methodValue !== instance && methodValue !== undefined ) {\n\t\t\t\t\t\treturnValue = methodValue && methodValue.jquery ?\n\t\t\t\t\t\t\treturnValue.pushStack( methodValue.get() ) :\n\t\t\t\t\t\t\tmethodValue;\n\t\t\t\t\t\treturn false;\n\t\t\t\t\t}\n\t\t\t\t} );\n\t\t\t}\n\t\t} else {\n\n\t\t\t// Allow multiple hashes to be passed on init\n\t\t\tif ( args.length ) {\n\t\t\t\toptions = $.widget.extend.apply( null, [ options ].concat( args ) );\n\t\t\t}\n\n\t\t\tthis.each( function() {\n\t\t\t\tvar instance = $.data( this, fullName );\n\t\t\t\tif ( instance ) {\n\t\t\t\t\tinstance.option( options || {} );\n\t\t\t\t\tif ( instance._init ) {\n\t\t\t\t\t\tinstance._init();\n\t\t\t\t\t}\n\t\t\t\t} else {\n\t\t\t\t\t$.data( this, fullName, new object( options, this ) );\n\t\t\t\t}\n\t\t\t} );\n\t\t}\n\n\t\treturn returnValue;\n\t};\n};\n\n$.Widget = function( /* options, element */ ) {};\n$.Widget._childConstructors = [];\n\n$.Widget.prototype = {\n\twidgetName: "widget",\n\twidgetEventPrefix: "",\n\tdefaultElement: "<div>",\n\n\toptions: {\n\t\tclasses: {},\n\t\tdisabled: false,\n\n\t\t// Callbacks\n\t\tcreate: null\n\t},\n\n\t_createWidget: function( options, element ) {\n\t\telement = $( element || this.defaultElement || this )[ 0 ];\n\t\tthis.element = $( element );\n\t\tthis.uuid = widgetUuid++;\n\t\tthis.eventNamespace = "." + this.widgetName + this.uuid;\n\n\t\tthis.bindings = $();\n\t\tthis.hoverable = $();\n\t\tthis.focusable = $();\n\t\tthis.classesElementLookup = {};\n\n\t\tif ( element !== this ) {\n\t\t\t$.data( element, this.widgetFullName, this );\n\t\t\tthis._on( true, this.element, {\n\t\t\t\tremove: function( event ) {\n\t\t\t\t\tif ( event.target === element ) {\n\t\t\t\t\t\tthis.destroy();\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t} );\n\t\t\tthis.document = $( element.style ?\n\n\t\t\t\t// Element within the document\n\t\t\t\telement.ownerDocument :\n\n\t\t\t\t// Element is window or document\n\t\t\t\telement.document || element );\n\t\t\tthis.window = $( this.document[ 0 ].defaultView || this.document[ 0 ].parentWindow );\n\t\t}\n\n\t\tthis.options = $.widget.extend( {},\n\t\t\tthis.options,\n\t\t\tthis._getCreateOptions(),\n\t\t\toptions );\n\n\t\tthis._create();\n\n\t\tif ( this.options.disabled ) {\n\t\t\tthis._setOptionDisabled( this.options.disabled );\n\t\t}\n\n\t\tthis._trigger( "create", null, this._getCreateEventData() );\n\t\tthis._init();\n\t},\n\n\t_getCreateOptions: function() {\n\t\treturn {};\n\t},\n\n\t_getCreateEventData: $.noop,\n\n\t_create: $.noop,\n\n\t_init: $.noop,\n\n\tdestroy: function() {\n\t\tvar that = this;\n\n\t\tthis._destroy();\n\t\t$.each( this.classesElementLookup, function( key, value ) {\n\t\t\tthat._removeClass( value, key );\n\t\t} );\n\n\t\t// We can probably remove the unbind calls in 2.0\n\t\t// all event bindings should go through this._on()\n\t\tthis.element\n\t\t\t.off( this.eventNamespace )\n\t\t\t.removeData( this.widgetFullName );\n\t\tthis.widget()\n\t\t\t.off( this.eventNamespace )\n\t\t\t.removeAttr( "aria-disabled" );\n\n\t\t// Clean up events and states\n\t\tthis.bindings.off( this.eventNamespace );\n\t},\n\n\t_destroy: $.noop,\n\n\twidget: function() {\n\t\treturn this.element;\n\t},\n\n\toption: function( key, value ) {\n\t\tvar options = key;\n\t\tvar parts;\n\t\tvar curOption;\n\t\tvar i;\n\n\t\tif ( arguments.length === 0 ) {\n\n\t\t\t// Don\'t return a reference to the internal hash\n\t\t\treturn $.widget.extend( {}, this.options );\n\t\t}\n\n\t\tif ( typeof key === "string" ) {\n\n\t\t\t// Handle nested keys, e.g., "foo.bar" => { foo: { bar: ___ } }\n\t\t\toptions = {};\n\t\t\tparts = key.split( "." );\n\t\t\tkey = parts.shift();\n\t\t\tif ( parts.length ) {\n\t\t\t\tcurOption = options[ key ] = $.widget.extend( {}, this.options[ key ] );\n\t\t\t\tfor ( i = 0; i < parts.length - 1; i++ ) {\n\t\t\t\t\tcurOption[ parts[ i ] ] = curOption[ parts[ i ] ] || {};\n\t\t\t\t\tcurOption = curOption[ parts[ i ] ];\n\t\t\t\t}\n\t\t\t\tkey = parts.pop();\n\t\t\t\tif ( arguments.length === 1 ) {\n\t\t\t\t\treturn curOption[ key ] === undefined ? null : curOption[ key ];\n\t\t\t\t}\n\t\t\t\tcurOption[ key ] = value;\n\t\t\t} else {\n\t\t\t\tif ( arguments.length === 1 ) {\n\t\t\t\t\treturn this.options[ key ] === undefined ? null : this.options[ key ];\n\t\t\t\t}\n\t\t\t\toptions[ key ] = value;\n\t\t\t}\n\t\t}\n\n\t\tthis._setOptions( options );\n\n\t\treturn this;\n\t},\n\n\t_setOptions: function( options ) {\n\t\tvar key;\n\n\t\tfor ( key in options ) {\n\t\t\tthis._setOption( key, options[ key ] );\n\t\t}\n\n\t\treturn this;\n\t},\n\n\t_setOption: function( key, value ) {\n\t\tif ( key === "classes" ) {\n\t\t\tthis._setOptionClasses( value );\n\t\t}\n\n\t\tthis.options[ key ] = value;\n\n\t\tif ( key === "disabled" ) {\n\t\t\tthis._setOptionDisabled( value );\n\t\t}\n\n\t\treturn this;\n\t},\n\n\t_setOptionClasses: function( value ) {\n\t\tvar classKey, elements, currentElements;\n\n\t\tfor ( classKey in value ) {\n\t\t\tcurrentElements = this.classesElementLookup[ classKey ];\n\t\t\tif ( value[ classKey ] === this.options.classes[ classKey ] ||\n\t\t\t\t\t!currentElements ||\n\t\t\t\t\t!currentElements.length ) {\n\t\t\t\tcontinue;\n\t\t\t}\n\n\t\t\t// We are doing this to create a new jQuery object because the _removeClass() call\n\t\t\t// on the next line is going to destroy the reference to the current elements being\n\t\t\t// tracked. We need to save a copy of this collection so that we can add the new classes\n\t\t\t// below.\n\t\t\telements = $( currentElements.get() );\n\t\t\tthis._removeClass( currentElements, classKey );\n\n\t\t\t// We don\'t use _addClass() here, because that uses this.options.classes\n\t\t\t// for generating the string of classes. We want to use the value passed in from\n\t\t\t// _setOption(), this is the new value of the classes option which was passed to\n\t\t\t// _setOption(). We pass this value directly to _classes().\n\t\t\telements.addClass( this._classes( {\n\t\t\t\telement: elements,\n\t\t\t\tkeys: classKey,\n\t\t\t\tclasses: value,\n\t\t\t\tadd: true\n\t\t\t} ) );\n\t\t}\n\t},\n\n\t_setOptionDisabled: function( value ) {\n\t\tthis._toggleClass( this.widget(), this.widgetFullName + "-disabled", null, !!value );\n\n\t\t// If the widget is becoming disabled, then nothing is interactive\n\t\tif ( value ) {\n\t\t\tthis._removeClass( this.hoverable, null, "ui-state-hover" );\n\t\t\tthis._removeClass( this.focusable, null, "ui-state-focus" );\n\t\t}\n\t},\n\n\tenable: function() {\n\t\treturn this._setOptions( { disabled: false } );\n\t},\n\n\tdisable: function() {\n\t\treturn this._setOptions( { disabled: true } );\n\t},\n\n\t_classes: function( options ) {\n\t\tvar full = [];\n\t\tvar that = this;\n\n\t\toptions = $.extend( {\n\t\t\telement: this.element,\n\t\t\tclasses: this.options.classes || {}\n\t\t}, options );\n\n\t\tfunction processClassString( classes, checkOption ) {\n\t\t\tvar current, i;\n\t\t\tfor ( i = 0; i < classes.length; i++ ) {\n\t\t\t\tcurrent = that.classesElementLookup[ classes[ i ] ] || $();\n\t\t\t\tif ( options.add ) {\n\t\t\t\t\tcurrent = $( $.unique( current.get().concat( options.element.get() ) ) );\n\t\t\t\t} else {\n\t\t\t\t\tcurrent = $( current.not( options.element ).get() );\n\t\t\t\t}\n\t\t\t\tthat.classesElementLookup[ classes[ i ] ] = current;\n\t\t\t\tfull.push( classes[ i ] );\n\t\t\t\tif ( checkOption && options.classes[ classes[ i ] ] ) {\n\t\t\t\t\tfull.push( options.classes[ classes[ i ] ] );\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\n\t\tthis._on( options.element, {\n\t\t\t"remove": "_untrackClassesElement"\n\t\t} );\n\n\t\tif ( options.keys ) {\n\t\t\tprocessClassString( options.keys.match( /\\S+/g ) || [], true );\n\t\t}\n\t\tif ( options.extra ) {\n\t\t\tprocessClassString( options.extra.match( /\\S+/g ) || [] );\n\t\t}\n\n\t\treturn full.join( " " );\n\t},\n\n\t_untrackClassesElement: function( event ) {\n\t\tvar that = this;\n\t\t$.each( that.classesElementLookup, function( key, value ) {\n\t\t\tif ( $.inArray( event.target, value ) !== -1 ) {\n\t\t\t\tthat.classesElementLookup[ key ] = $( value.not( event.target ).get() );\n\t\t\t}\n\t\t} );\n\t},\n\n\t_removeClass: function( element, keys, extra ) {\n\t\treturn this._toggleClass( element, keys, extra, false );\n\t},\n\n\t_addClass: function( element, keys, extra ) {\n\t\treturn this._toggleClass( element, keys, extra, true );\n\t},\n\n\t_toggleClass: function( element, keys, extra, add ) {\n\t\tadd = ( typeof add === "boolean" ) ? add : extra;\n\t\tvar shift = ( typeof element === "string" || element === null ),\n\t\t\toptions = {\n\t\t\t\textra: shift ? keys : extra,\n\t\t\t\tkeys: shift ? element : keys,\n\t\t\t\telement: shift ? this.element : element,\n\t\t\t\tadd: add\n\t\t\t};\n\t\toptions.element.toggleClass( this._classes( options ), add );\n\t\treturn this;\n\t},\n\n\t_on: function( suppressDisabledCheck, element, handlers ) {\n\t\tvar delegateElement;\n\t\tvar instance = this;\n\n\t\t// No suppressDisabledCheck flag, shuffle arguments\n\t\tif ( typeof suppressDisabledCheck !== "boolean" ) {\n\t\t\thandlers = element;\n\t\t\telement = suppressDisabledCheck;\n\t\t\tsuppressDisabledCheck = false;\n\t\t}\n\n\t\t// No element argument, shuffle and use this.element\n\t\tif ( !handlers ) {\n\t\t\thandlers = element;\n\t\t\telement = this.element;\n\t\t\tdelegateElement = this.widget();\n\t\t} else {\n\t\t\telement = delegateElement = $( element );\n\t\t\tthis.bindings = this.bindings.add( element );\n\t\t}\n\n\t\t$.each( handlers, function( event, handler ) {\n\t\t\tfunction handlerProxy() {\n\n\t\t\t\t// Allow widgets to customize the disabled handling\n\t\t\t\t// - disabled as an array instead of boolean\n\t\t\t\t// - disabled class as method for disabling individual parts\n\t\t\t\tif ( !suppressDisabledCheck &&\n\t\t\t\t\t\t( instance.options.disabled === true ||\n\t\t\t\t\t\t$( this ).hasClass( "ui-state-disabled" ) ) ) {\n\t\t\t\t\treturn;\n\t\t\t\t}\n\t\t\t\treturn ( typeof handler === "string" ? instance[ handler ] : handler )\n\t\t\t\t\t.apply( instance, arguments );\n\t\t\t}\n\n\t\t\t// Copy the guid so direct unbinding works\n\t\t\tif ( typeof handler !== "string" ) {\n\t\t\t\thandlerProxy.guid = handler.guid =\n\t\t\t\t\thandler.guid || handlerProxy.guid || $.guid++;\n\t\t\t}\n\n\t\t\tvar match = event.match( /^([\\w:-]*)\\s*(.*)$/ );\n\t\t\tvar eventName = match[ 1 ] + instance.eventNamespace;\n\t\t\tvar selector = match[ 2 ];\n\n\t\t\tif ( selector ) {\n\t\t\t\tdelegateElement.on( eventName, selector, handlerProxy );\n\t\t\t} else {\n\t\t\t\telement.on( eventName, handlerProxy );\n\t\t\t}\n\t\t} );\n\t},\n\n\t_off: function( element, eventName ) {\n\t\teventName = ( eventName || "" ).split( " " ).join( this.eventNamespace + " " ) +\n\t\t\tthis.eventNamespace;\n\t\telement.off( eventName ).off( eventName );\n\n\t\t// Clear the stack to avoid memory leaks (#10056)\n\t\tthis.bindings = $( this.bindings.not( element ).get() );\n\t\tthis.focusable = $( this.focusable.not( element ).get() );\n\t\tthis.hoverable = $( this.hoverable.not( element ).get() );\n\t},\n\n\t_delay: function( handler, delay ) {\n\t\tfunction handlerProxy() {\n\t\t\treturn ( typeof handler === "string" ? instance[ handler ] : handler )\n\t\t\t\t.apply( instance, arguments );\n\t\t}\n\t\tvar instance = this;\n\t\treturn setTimeout( handlerProxy, delay || 0 );\n\t},\n\n\t_hoverable: function( element ) {\n\t\tthis.hoverable = this.hoverable.add( element );\n\t\tthis._on( element, {\n\t\t\tmouseenter: function( event ) {\n\t\t\t\tthis._addClass( $( event.currentTarget ), null, "ui-state-hover" );\n\t\t\t},\n\t\t\tmouseleave: function( event ) {\n\t\t\t\tthis._removeClass( $( event.currentTarget ), null, "ui-state-hover" );\n\t\t\t}\n\t\t} );\n\t},\n\n\t_focusable: function( element ) {\n\t\tthis.focusable = this.focusable.add( element );\n\t\tthis._on( element, {\n\t\t\tfocusin: function( event ) {\n\t\t\t\tthis._addClass( $( event.currentTarget ), null, "ui-state-focus" );\n\t\t\t},\n\t\t\tfocusout: function( event ) {\n\t\t\t\tthis._removeClass( $( event.currentTarget ), null, "ui-state-focus" );\n\t\t\t}\n\t\t} );\n\t},\n\n\t_trigger: function( type, event, data ) {\n\t\tvar prop, orig;\n\t\tvar callback = this.options[ type ];\n\n\t\tdata = data || {};\n\t\tevent = $.Event( event );\n\t\tevent.type = ( type === this.widgetEventPrefix ?\n\t\t\ttype :\n\t\t\tthis.widgetEventPrefix + type ).toLowerCase();\n\n\t\t// The original event may come from any element\n\t\t// so we need to reset the target on the new event\n\t\tevent.target = this.element[ 0 ];\n\n\t\t// Copy original event properties over to the new event\n\t\torig = event.originalEvent;\n\t\tif ( orig ) {\n\t\t\tfor ( prop in orig ) {\n\t\t\t\tif ( !( prop in event ) ) {\n\t\t\t\t\tevent[ prop ] = orig[ prop ];\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\n\t\tthis.element.trigger( event, data );\n\t\treturn !( $.isFunction( callback ) &&\n\t\t\tcallback.apply( this.element[ 0 ], [ event ].concat( data ) ) === false ||\n\t\t\tevent.isDefaultPrevented() );\n\t}\n};\n\n$.each( { show: "fadeIn", hide: "fadeOut" }, function( method, defaultEffect ) {\n\t$.Widget.prototype[ "_" + method ] = function( element, options, callback ) {\n\t\tif ( typeof options === "string" ) {\n\t\t\toptions = { effect: options };\n\t\t}\n\n\t\tvar hasOptions;\n\t\tvar effectName = !options ?\n\t\t\tmethod :\n\t\t\toptions === true || typeof options === "number" ?\n\t\t\t\tdefaultEffect :\n\t\t\t\toptions.effect || defaultEffect;\n\n\t\toptions = options || {};\n\t\tif ( typeof options === "number" ) {\n\t\t\toptions = { duration: options };\n\t\t}\n\n\t\thasOptions = !$.isEmptyObject( options );\n\t\toptions.complete = callback;\n\n\t\tif ( options.delay ) {\n\t\t\telement.delay( options.delay );\n\t\t}\n\n\t\tif ( hasOptions && $.effects && $.effects.effect[ effectName ] ) {\n\t\t\telement[ method ]( options );\n\t\t} else if ( effectName !== method && element[ effectName ] ) {\n\t\t\telement[ effectName ]( options.duration, options.easing, callback );\n\t\t} else {\n\t\t\telement.queue( function( next ) {\n\t\t\t\t$( this )[ method ]();\n\t\t\t\tif ( callback ) {\n\t\t\t\t\tcallback.call( element[ 0 ] );\n\t\t\t\t}\n\t\t\t\tnext();\n\t\t\t} );\n\t\t}\n\t};\n} );\n\nreturn $.widget;\n\n} ) );\n'},3106:function(e,t,n){n(1654)(n(3107))},3107:function(e,t){e.exports='/*!\n * jQuery UI Mouse 1.12.1\n * http://jqueryui.com\n *\n * Copyright jQuery Foundation and other contributors\n * Released under the MIT license.\n * http://jquery.org/license\n */\n\n//>>label: Mouse\n//>>group: Widgets\n//>>description: Abstracts mouse-based interactions to assist in creating certain widgets.\n//>>docs: http://api.jqueryui.com/mouse/\n\n( function( factory ) {\n\tif ( typeof define === "function" && define.amd ) {\n\n\t\t// AMD. Register as an anonymous module.\n\t\tdefine( [\n\t\t\t"jquery",\n\t\t\t"../ie",\n\t\t\t"../version",\n\t\t\t"../widget"\n\t\t], factory );\n\t} else {\n\n\t\t// Browser globals\n\t\tfactory( jQuery );\n\t}\n}( function( $ ) {\n\nvar mouseHandled = false;\n$( document ).on( "mouseup", function() {\n\tmouseHandled = false;\n} );\n\nreturn $.widget( "ui.mouse", {\n\tversion: "1.12.1",\n\toptions: {\n\t\tcancel: "input, textarea, button, select, option",\n\t\tdistance: 1,\n\t\tdelay: 0\n\t},\n\t_mouseInit: function() {\n\t\tvar that = this;\n\n\t\tthis.element\n\t\t\t.on( "mousedown." + this.widgetName, function( event ) {\n\t\t\t\treturn that._mouseDown( event );\n\t\t\t} )\n\t\t\t.on( "click." + this.widgetName, function( event ) {\n\t\t\t\tif ( true === $.data( event.target, that.widgetName + ".preventClickEvent" ) ) {\n\t\t\t\t\t$.removeData( event.target, that.widgetName + ".preventClickEvent" );\n\t\t\t\t\tevent.stopImmediatePropagation();\n\t\t\t\t\treturn false;\n\t\t\t\t}\n\t\t\t} );\n\n\t\tthis.started = false;\n\t},\n\n\t// TODO: make sure destroying one instance of mouse doesn\'t mess with\n\t// other instances of mouse\n\t_mouseDestroy: function() {\n\t\tthis.element.off( "." + this.widgetName );\n\t\tif ( this._mouseMoveDelegate ) {\n\t\t\tthis.document\n\t\t\t\t.off( "mousemove." + this.widgetName, this._mouseMoveDelegate )\n\t\t\t\t.off( "mouseup." + this.widgetName, this._mouseUpDelegate );\n\t\t}\n\t},\n\n\t_mouseDown: function( event ) {\n\n\t\t// don\'t let more than one widget handle mouseStart\n\t\tif ( mouseHandled ) {\n\t\t\treturn;\n\t\t}\n\n\t\tthis._mouseMoved = false;\n\n\t\t// We may have missed mouseup (out of window)\n\t\t( this._mouseStarted && this._mouseUp( event ) );\n\n\t\tthis._mouseDownEvent = event;\n\n\t\tvar that = this,\n\t\t\tbtnIsLeft = ( event.which === 1 ),\n\n\t\t\t// event.target.nodeName works around a bug in IE 8 with\n\t\t\t// disabled inputs (#7620)\n\t\t\telIsCancel = ( typeof this.options.cancel === "string" && event.target.nodeName ?\n\t\t\t\t$( event.target ).closest( this.options.cancel ).length : false );\n\t\tif ( !btnIsLeft || elIsCancel || !this._mouseCapture( event ) ) {\n\t\t\treturn true;\n\t\t}\n\n\t\tthis.mouseDelayMet = !this.options.delay;\n\t\tif ( !this.mouseDelayMet ) {\n\t\t\tthis._mouseDelayTimer = setTimeout( function() {\n\t\t\t\tthat.mouseDelayMet = true;\n\t\t\t}, this.options.delay );\n\t\t}\n\n\t\tif ( this._mouseDistanceMet( event ) && this._mouseDelayMet( event ) ) {\n\t\t\tthis._mouseStarted = ( this._mouseStart( event ) !== false );\n\t\t\tif ( !this._mouseStarted ) {\n\t\t\t\tevent.preventDefault();\n\t\t\t\treturn true;\n\t\t\t}\n\t\t}\n\n\t\t// Click event may never have fired (Gecko & Opera)\n\t\tif ( true === $.data( event.target, this.widgetName + ".preventClickEvent" ) ) {\n\t\t\t$.removeData( event.target, this.widgetName + ".preventClickEvent" );\n\t\t}\n\n\t\t// These delegates are required to keep context\n\t\tthis._mouseMoveDelegate = function( event ) {\n\t\t\treturn that._mouseMove( event );\n\t\t};\n\t\tthis._mouseUpDelegate = function( event ) {\n\t\t\treturn that._mouseUp( event );\n\t\t};\n\n\t\tthis.document\n\t\t\t.on( "mousemove." + this.widgetName, this._mouseMoveDelegate )\n\t\t\t.on( "mouseup." + this.widgetName, this._mouseUpDelegate );\n\n\t\tevent.preventDefault();\n\n\t\tmouseHandled = true;\n\t\treturn true;\n\t},\n\n\t_mouseMove: function( event ) {\n\n\t\t// Only check for mouseups outside the document if you\'ve moved inside the document\n\t\t// at least once. This prevents the firing of mouseup in the case of IE<9, which will\n\t\t// fire a mousemove event if content is placed under the cursor. See #7778\n\t\t// Support: IE <9\n\t\tif ( this._mouseMoved ) {\n\n\t\t\t// IE mouseup check - mouseup happened when mouse was out of window\n\t\t\tif ( $.ui.ie && ( !document.documentMode || document.documentMode < 9 ) &&\n\t\t\t\t\t!event.button ) {\n\t\t\t\treturn this._mouseUp( event );\n\n\t\t\t// Iframe mouseup check - mouseup occurred in another document\n\t\t\t} else if ( !event.which ) {\n\n\t\t\t\t// Support: Safari <=8 - 9\n\t\t\t\t// Safari sets which to 0 if you press any of the following keys\n\t\t\t\t// during a drag (#14461)\n\t\t\t\tif ( event.originalEvent.altKey || event.originalEvent.ctrlKey ||\n\t\t\t\t\t\tevent.originalEvent.metaKey || event.originalEvent.shiftKey ) {\n\t\t\t\t\tthis.ignoreMissingWhich = true;\n\t\t\t\t} else if ( !this.ignoreMissingWhich ) {\n\t\t\t\t\treturn this._mouseUp( event );\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\n\t\tif ( event.which || event.button ) {\n\t\t\tthis._mouseMoved = true;\n\t\t}\n\n\t\tif ( this._mouseStarted ) {\n\t\t\tthis._mouseDrag( event );\n\t\t\treturn event.preventDefault();\n\t\t}\n\n\t\tif ( this._mouseDistanceMet( event ) && this._mouseDelayMet( event ) ) {\n\t\t\tthis._mouseStarted =\n\t\t\t\t( this._mouseStart( this._mouseDownEvent, event ) !== false );\n\t\t\t( this._mouseStarted ? this._mouseDrag( event ) : this._mouseUp( event ) );\n\t\t}\n\n\t\treturn !this._mouseStarted;\n\t},\n\n\t_mouseUp: function( event ) {\n\t\tthis.document\n\t\t\t.off( "mousemove." + this.widgetName, this._mouseMoveDelegate )\n\t\t\t.off( "mouseup." + this.widgetName, this._mouseUpDelegate );\n\n\t\tif ( this._mouseStarted ) {\n\t\t\tthis._mouseStarted = false;\n\n\t\t\tif ( event.target === this._mouseDownEvent.target ) {\n\t\t\t\t$.data( event.target, this.widgetName + ".preventClickEvent", true );\n\t\t\t}\n\n\t\t\tthis._mouseStop( event );\n\t\t}\n\n\t\tif ( this._mouseDelayTimer ) {\n\t\t\tclearTimeout( this._mouseDelayTimer );\n\t\t\tdelete this._mouseDelayTimer;\n\t\t}\n\n\t\tthis.ignoreMissingWhich = false;\n\t\tmouseHandled = false;\n\t\tevent.preventDefault();\n\t},\n\n\t_mouseDistanceMet: function( event ) {\n\t\treturn ( Math.max(\n\t\t\t\tMath.abs( this._mouseDownEvent.pageX - event.pageX ),\n\t\t\t\tMath.abs( this._mouseDownEvent.pageY - event.pageY )\n\t\t\t) >= this.options.distance\n\t\t);\n\t},\n\n\t_mouseDelayMet: function( /* event */ ) {\n\t\treturn this.mouseDelayMet;\n\t},\n\n\t// These are placeholder methods, to be overriden by extending plugin\n\t_mouseStart: function( /* event */ ) {},\n\t_mouseDrag: function( /* event */ ) {},\n\t_mouseStop: function( /* event */ ) {},\n\t_mouseCapture: function( /* event */ ) { return true; }\n} );\n\n} ) );\n'},3108:function(e,t,n){n(1654)(n(3109))},3109:function(e,t){e.exports='( function( factory ) {\n\tif ( typeof define === "function" && define.amd ) {\n\n\t\t// AMD. Register as an anonymous module.\n\t\tdefine( [ "jquery", "./version" ], factory );\n\t} else {\n\n\t\t// Browser globals\n\t\tfactory( jQuery );\n\t}\n} ( function( $ ) {\n\n// $.ui.plugin is deprecated. Use $.widget() extensions instead.\nreturn $.ui.plugin = {\n\tadd: function( module, option, set ) {\n\t\tvar i,\n\t\t\tproto = $.ui[ module ].prototype;\n\t\tfor ( i in set ) {\n\t\t\tproto.plugins[ i ] = proto.plugins[ i ] || [];\n\t\t\tproto.plugins[ i ].push( [ option, set[ i ] ] );\n\t\t}\n\t},\n\tcall: function( instance, name, args, allowDisconnected ) {\n\t\tvar i,\n\t\t\tset = instance.plugins[ name ];\n\n\t\tif ( !set ) {\n\t\t\treturn;\n\t\t}\n\n\t\tif ( !allowDisconnected && ( !instance.element[ 0 ].parentNode ||\n\t\t\t\tinstance.element[ 0 ].parentNode.nodeType === 11 ) ) {\n\t\t\treturn;\n\t\t}\n\n\t\tfor ( i = 0; i < set.length; i++ ) {\n\t\t\tif ( instance.options[ set[ i ][ 0 ] ] ) {\n\t\t\t\tset[ i ][ 1 ].apply( instance.element, args );\n\t\t\t}\n\t\t}\n\t}\n};\n\n} ) );\n'},3110:function(e,t,n){n(1654)(n(3111))},3111:function(e,t){e.exports='( function( factory ) {\n\tif ( typeof define === "function" && define.amd ) {\n\n\t\t// AMD. Register as an anonymous module.\n\t\tdefine( [ "jquery", "./version" ], factory );\n\t} else {\n\n\t\t// Browser globals\n\t\tfactory( jQuery );\n\t}\n} ( function( $ ) {\nreturn $.ui.safeActiveElement = function( document ) {\n\tvar activeElement;\n\n\t// Support: IE 9 only\n\t// IE9 throws an "Unspecified error" accessing document.activeElement from an <iframe>\n\ttry {\n\t\tactiveElement = document.activeElement;\n\t} catch ( error ) {\n\t\tactiveElement = document.body;\n\t}\n\n\t// Support: IE 9 - 11 only\n\t// IE may return null instead of an element\n\t// Interestingly, this only seems to occur when NOT in an iframe\n\tif ( !activeElement ) {\n\t\tactiveElement = document.body;\n\t}\n\n\t// Support: IE 11 only\n\t// IE11 returns a seemingly empty object in some cases when accessing\n\t// document.activeElement from an <iframe>\n\tif ( !activeElement.nodeName ) {\n\t\tactiveElement = document.body;\n\t}\n\n\treturn activeElement;\n};\n\n} ) );\n'},3112:function(e,t,n){n(1654)(n(3113))},3113:function(e,t){e.exports='( function( factory ) {\n\tif ( typeof define === "function" && define.amd ) {\n\n\t\t// AMD. Register as an anonymous module.\n\t\tdefine( [ "jquery", "./version" ], factory );\n\t} else {\n\n\t\t// Browser globals\n\t\tfactory( jQuery );\n\t}\n} ( function( $ ) {\nreturn $.ui.safeBlur = function( element ) {\n\n\t// Support: IE9 - 10 only\n\t// If the <body> is blurred, IE will switch windows, see #9420\n\tif ( element && element.nodeName.toLowerCase() !== "body" ) {\n\t\t$( element ).trigger( "blur" );\n\t}\n};\n\n} ) );\n'},3114:function(e,t,n){n(1654)(n(3115))},3115:function(e,t){e.exports='/*!\n * jQuery UI Scroll Parent 1.12.1\n * http://jqueryui.com\n *\n * Copyright jQuery Foundation and other contributors\n * Released under the MIT license.\n * http://jquery.org/license\n */\n\n//>>label: scrollParent\n//>>group: Core\n//>>description: Get the closest ancestor element that is scrollable.\n//>>docs: http://api.jqueryui.com/scrollParent/\n\n( function( factory ) {\n\tif ( typeof define === "function" && define.amd ) {\n\n\t\t// AMD. Register as an anonymous module.\n\t\tdefine( [ "jquery", "./version" ], factory );\n\t} else {\n\n\t\t// Browser globals\n\t\tfactory( jQuery );\n\t}\n} ( function( $ ) {\n\nreturn $.fn.scrollParent = function( includeHidden ) {\n\tvar position = this.css( "position" ),\n\t\texcludeStaticParent = position === "absolute",\n\t\toverflowRegex = includeHidden ? /(auto|scroll|hidden)/ : /(auto|scroll)/,\n\t\tscrollParent = this.parents().filter( function() {\n\t\t\tvar parent = $( this );\n\t\t\tif ( excludeStaticParent && parent.css( "position" ) === "static" ) {\n\t\t\t\treturn false;\n\t\t\t}\n\t\t\treturn overflowRegex.test( parent.css( "overflow" ) + parent.css( "overflow-y" ) +\n\t\t\t\tparent.css( "overflow-x" ) );\n\t\t} ).eq( 0 );\n\n\treturn position === "fixed" || !scrollParent.length ?\n\t\t$( this[ 0 ].ownerDocument || document ) :\n\t\tscrollParent;\n};\n\n} ) );\n'},3116:function(e,t,n){n(1654)(n(3117))},3117:function(e,t){e.exports='/*!\n * jQuery UI Draggable 1.12.1\n * http://jqueryui.com\n *\n * Copyright jQuery Foundation and other contributors\n * Released under the MIT license.\n * http://jquery.org/license\n */\n\n//>>label: Draggable\n//>>group: Interactions\n//>>description: Enables dragging functionality for any element.\n//>>docs: http://api.jqueryui.com/draggable/\n//>>demos: http://jqueryui.com/draggable/\n//>>css.structure: ../../themes/base/draggable.css\n\n( function( factory ) {\n\tif ( typeof define === "function" && define.amd ) {\n\n\t\t// AMD. Register as an anonymous module.\n\t\tdefine( [\n\t\t\t"jquery",\n\t\t\t"./mouse",\n\t\t\t"../data",\n\t\t\t"../plugin",\n\t\t\t"../safe-active-element",\n\t\t\t"../safe-blur",\n\t\t\t"../scroll-parent",\n\t\t\t"../version",\n\t\t\t"../widget"\n\t\t], factory );\n\t} else {\n\n\t\t// Browser globals\n\t\tfactory( jQuery );\n\t}\n}( function( $ ) {\n\n$.widget( "ui.draggable", $.ui.mouse, {\n\tversion: "1.12.1",\n\twidgetEventPrefix: "drag",\n\toptions: {\n\t\taddClasses: true,\n\t\tappendTo: "parent",\n\t\taxis: false,\n\t\tconnectToSortable: false,\n\t\tcontainment: false,\n\t\tcursor: "auto",\n\t\tcursorAt: false,\n\t\tgrid: false,\n\t\thandle: false,\n\t\thelper: "original",\n\t\tiframeFix: false,\n\t\topacity: false,\n\t\trefreshPositions: false,\n\t\trevert: false,\n\t\trevertDuration: 500,\n\t\tscope: "default",\n\t\tscroll: true,\n\t\tscrollSensitivity: 20,\n\t\tscrollSpeed: 20,\n\t\tsnap: false,\n\t\tsnapMode: "both",\n\t\tsnapTolerance: 20,\n\t\tstack: false,\n\t\tzIndex: false,\n\n\t\t// Callbacks\n\t\tdrag: null,\n\t\tstart: null,\n\t\tstop: null\n\t},\n\t_create: function() {\n\n\t\tif ( this.options.helper === "original" ) {\n\t\t\tthis._setPositionRelative();\n\t\t}\n\t\tif ( this.options.addClasses ) {\n\t\t\tthis._addClass( "ui-draggable" );\n\t\t}\n\t\tthis._setHandleClassName();\n\n\t\tthis._mouseInit();\n\t},\n\n\t_setOption: function( key, value ) {\n\t\tthis._super( key, value );\n\t\tif ( key === "handle" ) {\n\t\t\tthis._removeHandleClassName();\n\t\t\tthis._setHandleClassName();\n\t\t}\n\t},\n\n\t_destroy: function() {\n\t\tif ( ( this.helper || this.element ).is( ".ui-draggable-dragging" ) ) {\n\t\t\tthis.destroyOnClear = true;\n\t\t\treturn;\n\t\t}\n\t\tthis._removeHandleClassName();\n\t\tthis._mouseDestroy();\n\t},\n\n\t_mouseCapture: function( event ) {\n\t\tvar o = this.options;\n\n\t\t// Among others, prevent a drag on a resizable-handle\n\t\tif ( this.helper || o.disabled ||\n\t\t\t\t$( event.target ).closest( ".ui-resizable-handle" ).length > 0 ) {\n\t\t\treturn false;\n\t\t}\n\n\t\t//Quit if we\'re not on a valid handle\n\t\tthis.handle = this._getHandle( event );\n\t\tif ( !this.handle ) {\n\t\t\treturn false;\n\t\t}\n\n\t\tthis._blurActiveElement( event );\n\n\t\tthis._blockFrames( o.iframeFix === true ? "iframe" : o.iframeFix );\n\n\t\treturn true;\n\n\t},\n\n\t_blockFrames: function( selector ) {\n\t\tthis.iframeBlocks = this.document.find( selector ).map( function() {\n\t\t\tvar iframe = $( this );\n\n\t\t\treturn $( "<div>" )\n\t\t\t\t.css( "position", "absolute" )\n\t\t\t\t.appendTo( iframe.parent() )\n\t\t\t\t.outerWidth( iframe.outerWidth() )\n\t\t\t\t.outerHeight( iframe.outerHeight() )\n\t\t\t\t.offset( iframe.offset() )[ 0 ];\n\t\t} );\n\t},\n\n\t_unblockFrames: function() {\n\t\tif ( this.iframeBlocks ) {\n\t\t\tthis.iframeBlocks.remove();\n\t\t\tdelete this.iframeBlocks;\n\t\t}\n\t},\n\n\t_blurActiveElement: function( event ) {\n\t\tvar activeElement = $.ui.safeActiveElement( this.document[ 0 ] ),\n\t\t\ttarget = $( event.target );\n\n\t\t// Don\'t blur if the event occurred on an element that is within\n\t\t// the currently focused element\n\t\t// See #10527, #12472\n\t\tif ( target.closest( activeElement ).length ) {\n\t\t\treturn;\n\t\t}\n\n\t\t// Blur any element that currently has focus, see #4261\n\t\t$.ui.safeBlur( activeElement );\n\t},\n\n\t_mouseStart: function( event ) {\n\n\t\tvar o = this.options;\n\n\t\t//Create and append the visible helper\n\t\tthis.helper = this._createHelper( event );\n\n\t\tthis._addClass( this.helper, "ui-draggable-dragging" );\n\n\t\t//Cache the helper size\n\t\tthis._cacheHelperProportions();\n\n\t\t//If ddmanager is used for droppables, set the global draggable\n\t\tif ( $.ui.ddmanager ) {\n\t\t\t$.ui.ddmanager.current = this;\n\t\t}\n\n\t\t/*\n\t\t * - Position generation -\n\t\t * This block generates everything position related - it\'s the core of draggables.\n\t\t */\n\n\t\t//Cache the margins of the original element\n\t\tthis._cacheMargins();\n\n\t\t//Store the helper\'s css position\n\t\tthis.cssPosition = this.helper.css( "position" );\n\t\tthis.scrollParent = this.helper.scrollParent( true );\n\t\tthis.offsetParent = this.helper.offsetParent();\n\t\tthis.hasFixedAncestor = this.helper.parents().filter( function() {\n\t\t\t\treturn $( this ).css( "position" ) === "fixed";\n\t\t\t} ).length > 0;\n\n\t\t//The element\'s absolute position on the page minus margins\n\t\tthis.positionAbs = this.element.offset();\n\t\tthis._refreshOffsets( event );\n\n\t\t//Generate the original position\n\t\tthis.originalPosition = this.position = this._generatePosition( event, false );\n\t\tthis.originalPageX = event.pageX;\n\t\tthis.originalPageY = event.pageY;\n\n\t\t//Adjust the mouse offset relative to the helper if "cursorAt" is supplied\n\t\t( o.cursorAt && this._adjustOffsetFromHelper( o.cursorAt ) );\n\n\t\t//Set a containment if given in the options\n\t\tthis._setContainment();\n\n\t\t//Trigger event + callbacks\n\t\tif ( this._trigger( "start", event ) === false ) {\n\t\t\tthis._clear();\n\t\t\treturn false;\n\t\t}\n\n\t\t//Recache the helper size\n\t\tthis._cacheHelperProportions();\n\n\t\t//Prepare the droppable offsets\n\t\tif ( $.ui.ddmanager && !o.dropBehaviour ) {\n\t\t\t$.ui.ddmanager.prepareOffsets( this, event );\n\t\t}\n\n\t\t// Execute the drag once - this causes the helper not to be visible before getting its\n\t\t// correct position\n\t\tthis._mouseDrag( event, true );\n\n\t\t// If the ddmanager is used for droppables, inform the manager that dragging has started\n\t\t// (see #5003)\n\t\tif ( $.ui.ddmanager ) {\n\t\t\t$.ui.ddmanager.dragStart( this, event );\n\t\t}\n\n\t\treturn true;\n\t},\n\n\t_refreshOffsets: function( event ) {\n\t\tthis.offset = {\n\t\t\ttop: this.positionAbs.top - this.margins.top,\n\t\t\tleft: this.positionAbs.left - this.margins.left,\n\t\t\tscroll: false,\n\t\t\tparent: this._getParentOffset(),\n\t\t\trelative: this._getRelativeOffset()\n\t\t};\n\n\t\tthis.offset.click = {\n\t\t\tleft: event.pageX - this.offset.left,\n\t\t\ttop: event.pageY - this.offset.top\n\t\t};\n\t},\n\n\t_mouseDrag: function( event, noPropagation ) {\n\n\t\t// reset any necessary cached properties (see #5009)\n\t\tif ( this.hasFixedAncestor ) {\n\t\t\tthis.offset.parent = this._getParentOffset();\n\t\t}\n\n\t\t//Compute the helpers position\n\t\tthis.position = this._generatePosition( event, true );\n\t\tthis.positionAbs = this._convertPositionTo( "absolute" );\n\n\t\t//Call plugins and callbacks and use the resulting position if something is returned\n\t\tif ( !noPropagation ) {\n\t\t\tvar ui = this._uiHash();\n\t\t\tif ( this._trigger( "drag", event, ui ) === false ) {\n\t\t\t\tthis._mouseUp( new $.Event( "mouseup", event ) );\n\t\t\t\treturn false;\n\t\t\t}\n\t\t\tthis.position = ui.position;\n\t\t}\n\n\t\tthis.helper[ 0 ].style.left = this.position.left + "px";\n\t\tthis.helper[ 0 ].style.top = this.position.top + "px";\n\n\t\tif ( $.ui.ddmanager ) {\n\t\t\t$.ui.ddmanager.drag( this, event );\n\t\t}\n\n\t\treturn false;\n\t},\n\n\t_mouseStop: function( event ) {\n\n\t\t//If we are using droppables, inform the manager about the drop\n\t\tvar that = this,\n\t\t\tdropped = false;\n\t\tif ( $.ui.ddmanager && !this.options.dropBehaviour ) {\n\t\t\tdropped = $.ui.ddmanager.drop( this, event );\n\t\t}\n\n\t\t//if a drop comes from outside (a sortable)\n\t\tif ( this.dropped ) {\n\t\t\tdropped = this.dropped;\n\t\t\tthis.dropped = false;\n\t\t}\n\n\t\tif ( ( this.options.revert === "invalid" && !dropped ) ||\n\t\t\t\t( this.options.revert === "valid" && dropped ) ||\n\t\t\t\tthis.options.revert === true || ( $.isFunction( this.options.revert ) &&\n\t\t\t\tthis.options.revert.call( this.element, dropped ) )\n\t\t) {\n\t\t\t$( this.helper ).animate(\n\t\t\t\tthis.originalPosition,\n\t\t\t\tparseInt( this.options.revertDuration, 10 ),\n\t\t\t\tfunction() {\n\t\t\t\t\tif ( that._trigger( "stop", event ) !== false ) {\n\t\t\t\t\t\tthat._clear();\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t);\n\t\t} else {\n\t\t\tif ( this._trigger( "stop", event ) !== false ) {\n\t\t\t\tthis._clear();\n\t\t\t}\n\t\t}\n\n\t\treturn false;\n\t},\n\n\t_mouseUp: function( event ) {\n\t\tthis._unblockFrames();\n\n\t\t// If the ddmanager is used for droppables, inform the manager that dragging has stopped\n\t\t// (see #5003)\n\t\tif ( $.ui.ddmanager ) {\n\t\t\t$.ui.ddmanager.dragStop( this, event );\n\t\t}\n\n\t\t// Only need to focus if the event occurred on the draggable itself, see #10527\n\t\tif ( this.handleElement.is( event.target ) ) {\n\n\t\t\t// The interaction is over; whether or not the click resulted in a drag,\n\t\t\t// focus the element\n\t\t\tthis.element.trigger( "focus" );\n\t\t}\n\n\t\treturn $.ui.mouse.prototype._mouseUp.call( this, event );\n\t},\n\n\tcancel: function() {\n\n\t\tif ( this.helper.is( ".ui-draggable-dragging" ) ) {\n\t\t\tthis._mouseUp( new $.Event( "mouseup", { target: this.element[ 0 ] } ) );\n\t\t} else {\n\t\t\tthis._clear();\n\t\t}\n\n\t\treturn this;\n\n\t},\n\n\t_getHandle: function( event ) {\n\t\treturn this.options.handle ?\n\t\t\t!!$( event.target ).closest( this.element.find( this.options.handle ) ).length :\n\t\t\ttrue;\n\t},\n\n\t_setHandleClassName: function() {\n\t\tthis.handleElement = this.options.handle ?\n\t\t\tthis.element.find( this.options.handle ) : this.element;\n\t\tthis._addClass( this.handleElement, "ui-draggable-handle" );\n\t},\n\n\t_removeHandleClassName: function() {\n\t\tthis._removeClass( this.handleElement, "ui-draggable-handle" );\n\t},\n\n\t_createHelper: function( event ) {\n\n\t\tvar o = this.options,\n\t\t\thelperIsFunction = $.isFunction( o.helper ),\n\t\t\thelper = helperIsFunction ?\n\t\t\t\t$( o.helper.apply( this.element[ 0 ], [ event ] ) ) :\n\t\t\t\t( o.helper === "clone" ?\n\t\t\t\t\tthis.element.clone().removeAttr( "id" ) :\n\t\t\t\t\tthis.element );\n\n\t\tif ( !helper.parents( "body" ).length ) {\n\t\t\thelper.appendTo( ( o.appendTo === "parent" ?\n\t\t\t\tthis.element[ 0 ].parentNode :\n\t\t\t\to.appendTo ) );\n\t\t}\n\n\t\t// Http://bugs.jqueryui.com/ticket/9446\n\t\t// a helper function can return the original element\n\t\t// which wouldn\'t have been set to relative in _create\n\t\tif ( helperIsFunction && helper[ 0 ] === this.element[ 0 ] ) {\n\t\t\tthis._setPositionRelative();\n\t\t}\n\n\t\tif ( helper[ 0 ] !== this.element[ 0 ] &&\n\t\t\t\t!( /(fixed|absolute)/ ).test( helper.css( "position" ) ) ) {\n\t\t\thelper.css( "position", "absolute" );\n\t\t}\n\n\t\treturn helper;\n\n\t},\n\n\t_setPositionRelative: function() {\n\t\tif ( !( /^(?:r|a|f)/ ).test( this.element.css( "position" ) ) ) {\n\t\t\tthis.element[ 0 ].style.position = "relative";\n\t\t}\n\t},\n\n\t_adjustOffsetFromHelper: function( obj ) {\n\t\tif ( typeof obj === "string" ) {\n\t\t\tobj = obj.split( " " );\n\t\t}\n\t\tif ( $.isArray( obj ) ) {\n\t\t\tobj = { left: +obj[ 0 ], top: +obj[ 1 ] || 0 };\n\t\t}\n\t\tif ( "left" in obj ) {\n\t\t\tthis.offset.click.left = obj.left + this.margins.left;\n\t\t}\n\t\tif ( "right" in obj ) {\n\t\t\tthis.offset.click.left = this.helperProportions.width - obj.right + this.margins.left;\n\t\t}\n\t\tif ( "top" in obj ) {\n\t\t\tthis.offset.click.top = obj.top + this.margins.top;\n\t\t}\n\t\tif ( "bottom" in obj ) {\n\t\t\tthis.offset.click.top = this.helperProportions.height - obj.bottom + this.margins.top;\n\t\t}\n\t},\n\n\t_isRootNode: function( element ) {\n\t\treturn ( /(html|body)/i ).test( element.tagName ) || element === this.document[ 0 ];\n\t},\n\n\t_getParentOffset: function() {\n\n\t\t//Get the offsetParent and cache its position\n\t\tvar po = this.offsetParent.offset(),\n\t\t\tdocument = this.document[ 0 ];\n\n\t\t// This is a special case where we need to modify a offset calculated on start, since the\n\t\t// following happened:\n\t\t// 1. The position of the helper is absolute, so it\'s position is calculated based on the\n\t\t// next positioned parent\n\t\t// 2. The actual offset parent is a child of the scroll parent, and the scroll parent isn\'t\n\t\t// the document, which means that the scroll is included in the initial calculation of the\n\t\t// offset of the parent, and never recalculated upon drag\n\t\tif ( this.cssPosition === "absolute" && this.scrollParent[ 0 ] !== document &&\n\t\t\t\t$.contains( this.scrollParent[ 0 ], this.offsetParent[ 0 ] ) ) {\n\t\t\tpo.left += this.scrollParent.scrollLeft();\n\t\t\tpo.top += this.scrollParent.scrollTop();\n\t\t}\n\n\t\tif ( this._isRootNode( this.offsetParent[ 0 ] ) ) {\n\t\t\tpo = { top: 0, left: 0 };\n\t\t}\n\n\t\treturn {\n\t\t\ttop: po.top + ( parseInt( this.offsetParent.css( "borderTopWidth" ), 10 ) || 0 ),\n\t\t\tleft: po.left + ( parseInt( this.offsetParent.css( "borderLeftWidth" ), 10 ) || 0 )\n\t\t};\n\n\t},\n\n\t_getRelativeOffset: function() {\n\t\tif ( this.cssPosition !== "relative" ) {\n\t\t\treturn { top: 0, left: 0 };\n\t\t}\n\n\t\tvar p = this.element.position(),\n\t\t\tscrollIsRootNode = this._isRootNode( this.scrollParent[ 0 ] );\n\n\t\treturn {\n\t\t\ttop: p.top - ( parseInt( this.helper.css( "top" ), 10 ) || 0 ) +\n\t\t\t\t( !scrollIsRootNode ? this.scrollParent.scrollTop() : 0 ),\n\t\t\tleft: p.left - ( parseInt( this.helper.css( "left" ), 10 ) || 0 ) +\n\t\t\t\t( !scrollIsRootNode ? this.scrollParent.scrollLeft() : 0 )\n\t\t};\n\n\t},\n\n\t_cacheMargins: function() {\n\t\tthis.margins = {\n\t\t\tleft: ( parseInt( this.element.css( "marginLeft" ), 10 ) || 0 ),\n\t\t\ttop: ( parseInt( this.element.css( "marginTop" ), 10 ) || 0 ),\n\t\t\tright: ( parseInt( this.element.css( "marginRight" ), 10 ) || 0 ),\n\t\t\tbottom: ( parseInt( this.element.css( "marginBottom" ), 10 ) || 0 )\n\t\t};\n\t},\n\n\t_cacheHelperProportions: function() {\n\t\tthis.helperProportions = {\n\t\t\twidth: this.helper.outerWidth(),\n\t\t\theight: this.helper.outerHeight()\n\t\t};\n\t},\n\n\t_setContainment: function() {\n\n\t\tvar isUserScrollable, c, ce,\n\t\t\to = this.options,\n\t\t\tdocument = this.document[ 0 ];\n\n\t\tthis.relativeContainer = null;\n\n\t\tif ( !o.containment ) {\n\t\t\tthis.containment = null;\n\t\t\treturn;\n\t\t}\n\n\t\tif ( o.containment === "window" ) {\n\t\t\tthis.containment = [\n\t\t\t\t$( window ).scrollLeft() - this.offset.relative.left - this.offset.parent.left,\n\t\t\t\t$( window ).scrollTop() - this.offset.relative.top - this.offset.parent.top,\n\t\t\t\t$( window ).scrollLeft() + $( window ).width() -\n\t\t\t\t\tthis.helperProportions.width - this.margins.left,\n\t\t\t\t$( window ).scrollTop() +\n\t\t\t\t\t( $( window ).height() || document.body.parentNode.scrollHeight ) -\n\t\t\t\t\tthis.helperProportions.height - this.margins.top\n\t\t\t];\n\t\t\treturn;\n\t\t}\n\n\t\tif ( o.containment === "document" ) {\n\t\t\tthis.containment = [\n\t\t\t\t0,\n\t\t\t\t0,\n\t\t\t\t$( document ).width() - this.helperProportions.width - this.margins.left,\n\t\t\t\t( $( document ).height() || document.body.parentNode.scrollHeight ) -\n\t\t\t\t\tthis.helperProportions.height - this.margins.top\n\t\t\t];\n\t\t\treturn;\n\t\t}\n\n\t\tif ( o.containment.constructor === Array ) {\n\t\t\tthis.containment = o.containment;\n\t\t\treturn;\n\t\t}\n\n\t\tif ( o.containment === "parent" ) {\n\t\t\to.containment = this.helper[ 0 ].parentNode;\n\t\t}\n\n\t\tc = $( o.containment );\n\t\tce = c[ 0 ];\n\n\t\tif ( !ce ) {\n\t\t\treturn;\n\t\t}\n\n\t\tisUserScrollable = /(scroll|auto)/.test( c.css( "overflow" ) );\n\n\t\tthis.containment = [\n\t\t\t( parseInt( c.css( "borderLeftWidth" ), 10 ) || 0 ) +\n\t\t\t\t( parseInt( c.css( "paddingLeft" ), 10 ) || 0 ),\n\t\t\t( parseInt( c.css( "borderTopWidth" ), 10 ) || 0 ) +\n\t\t\t\t( parseInt( c.css( "paddingTop" ), 10 ) || 0 ),\n\t\t\t( isUserScrollable ? Math.max( ce.scrollWidth, ce.offsetWidth ) : ce.offsetWidth ) -\n\t\t\t\t( parseInt( c.css( "borderRightWidth" ), 10 ) || 0 ) -\n\t\t\t\t( parseInt( c.css( "paddingRight" ), 10 ) || 0 ) -\n\t\t\t\tthis.helperProportions.width -\n\t\t\t\tthis.margins.left -\n\t\t\t\tthis.margins.right,\n\t\t\t( isUserScrollable ? Math.max( ce.scrollHeight, ce.offsetHeight ) : ce.offsetHeight ) -\n\t\t\t\t( parseInt( c.css( "borderBottomWidth" ), 10 ) || 0 ) -\n\t\t\t\t( parseInt( c.css( "paddingBottom" ), 10 ) || 0 ) -\n\t\t\t\tthis.helperProportions.height -\n\t\t\t\tthis.margins.top -\n\t\t\t\tthis.margins.bottom\n\t\t];\n\t\tthis.relativeContainer = c;\n\t},\n\n\t_convertPositionTo: function( d, pos ) {\n\n\t\tif ( !pos ) {\n\t\t\tpos = this.position;\n\t\t}\n\n\t\tvar mod = d === "absolute" ? 1 : -1,\n\t\t\tscrollIsRootNode = this._isRootNode( this.scrollParent[ 0 ] );\n\n\t\treturn {\n\t\t\ttop: (\n\n\t\t\t\t// The absolute mouse position\n\t\t\t\tpos.top\t+\n\n\t\t\t\t// Only for relative positioned nodes: Relative offset from element to offset parent\n\t\t\t\tthis.offset.relative.top * mod +\n\n\t\t\t\t// The offsetParent\'s offset without borders (offset + border)\n\t\t\t\tthis.offset.parent.top * mod -\n\t\t\t\t( ( this.cssPosition === "fixed" ?\n\t\t\t\t\t-this.offset.scroll.top :\n\t\t\t\t\t( scrollIsRootNode ? 0 : this.offset.scroll.top ) ) * mod )\n\t\t\t),\n\t\t\tleft: (\n\n\t\t\t\t// The absolute mouse position\n\t\t\t\tpos.left +\n\n\t\t\t\t// Only for relative positioned nodes: Relative offset from element to offset parent\n\t\t\t\tthis.offset.relative.left * mod +\n\n\t\t\t\t// The offsetParent\'s offset without borders (offset + border)\n\t\t\t\tthis.offset.parent.left * mod\t-\n\t\t\t\t( ( this.cssPosition === "fixed" ?\n\t\t\t\t\t-this.offset.scroll.left :\n\t\t\t\t\t( scrollIsRootNode ? 0 : this.offset.scroll.left ) ) * mod )\n\t\t\t)\n\t\t};\n\n\t},\n\n\t_generatePosition: function( event, constrainPosition ) {\n\n\t\tvar containment, co, top, left,\n\t\t\to = this.options,\n\t\t\tscrollIsRootNode = this._isRootNode( this.scrollParent[ 0 ] ),\n\t\t\tpageX = event.pageX,\n\t\t\tpageY = event.pageY;\n\n\t\t// Cache the scroll\n\t\tif ( !scrollIsRootNode || !this.offset.scroll ) {\n\t\t\tthis.offset.scroll = {\n\t\t\t\ttop: this.scrollParent.scrollTop(),\n\t\t\t\tleft: this.scrollParent.scrollLeft()\n\t\t\t};\n\t\t}\n\n\t\t/*\n\t\t * - Position constraining -\n\t\t * Constrain the position to a mix of grid, containment.\n\t\t */\n\n\t\t// If we are not dragging yet, we won\'t check for options\n\t\tif ( constrainPosition ) {\n\t\t\tif ( this.containment ) {\n\t\t\t\tif ( this.relativeContainer ) {\n\t\t\t\t\tco = this.relativeContainer.offset();\n\t\t\t\t\tcontainment = [\n\t\t\t\t\t\tthis.containment[ 0 ] + co.left,\n\t\t\t\t\t\tthis.containment[ 1 ] + co.top,\n\t\t\t\t\t\tthis.containment[ 2 ] + co.left,\n\t\t\t\t\t\tthis.containment[ 3 ] + co.top\n\t\t\t\t\t];\n\t\t\t\t} else {\n\t\t\t\t\tcontainment = this.containment;\n\t\t\t\t}\n\n\t\t\t\tif ( event.pageX - this.offset.click.left < containment[ 0 ] ) {\n\t\t\t\t\tpageX = containment[ 0 ] + this.offset.click.left;\n\t\t\t\t}\n\t\t\t\tif ( event.pageY - this.offset.click.top < containment[ 1 ] ) {\n\t\t\t\t\tpageY = containment[ 1 ] + this.offset.click.top;\n\t\t\t\t}\n\t\t\t\tif ( event.pageX - this.offset.click.left > containment[ 2 ] ) {\n\t\t\t\t\tpageX = containment[ 2 ] + this.offset.click.left;\n\t\t\t\t}\n\t\t\t\tif ( event.pageY - this.offset.click.top > containment[ 3 ] ) {\n\t\t\t\t\tpageY = containment[ 3 ] + this.offset.click.top;\n\t\t\t\t}\n\t\t\t}\n\n\t\t\tif ( o.grid ) {\n\n\t\t\t\t//Check for grid elements set to 0 to prevent divide by 0 error causing invalid\n\t\t\t\t// argument errors in IE (see ticket #6950)\n\t\t\t\ttop = o.grid[ 1 ] ? this.originalPageY + Math.round( ( pageY -\n\t\t\t\t\tthis.originalPageY ) / o.grid[ 1 ] ) * o.grid[ 1 ] : this.originalPageY;\n\t\t\t\tpageY = containment ? ( ( top - this.offset.click.top >= containment[ 1 ] ||\n\t\t\t\t\ttop - this.offset.click.top > containment[ 3 ] ) ?\n\t\t\t\t\t\ttop :\n\t\t\t\t\t\t( ( top - this.offset.click.top >= containment[ 1 ] ) ?\n\t\t\t\t\t\t\ttop - o.grid[ 1 ] : top + o.grid[ 1 ] ) ) : top;\n\n\t\t\t\tleft = o.grid[ 0 ] ? this.originalPageX +\n\t\t\t\t\tMath.round( ( pageX - this.originalPageX ) / o.grid[ 0 ] ) * o.grid[ 0 ] :\n\t\t\t\t\tthis.originalPageX;\n\t\t\t\tpageX = containment ? ( ( left - this.offset.click.left >= containment[ 0 ] ||\n\t\t\t\t\tleft - this.offset.click.left > containment[ 2 ] ) ?\n\t\t\t\t\t\tleft :\n\t\t\t\t\t\t( ( left - this.offset.click.left >= containment[ 0 ] ) ?\n\t\t\t\t\t\t\tleft - o.grid[ 0 ] : left + o.grid[ 0 ] ) ) : left;\n\t\t\t}\n\n\t\t\tif ( o.axis === "y" ) {\n\t\t\t\tpageX = this.originalPageX;\n\t\t\t}\n\n\t\t\tif ( o.axis === "x" ) {\n\t\t\t\tpageY = this.originalPageY;\n\t\t\t}\n\t\t}\n\n\t\treturn {\n\t\t\ttop: (\n\n\t\t\t\t// The absolute mouse position\n\t\t\t\tpageY -\n\n\t\t\t\t// Click offset (relative to the element)\n\t\t\t\tthis.offset.click.top -\n\n\t\t\t\t// Only for relative positioned nodes: Relative offset from element to offset parent\n\t\t\t\tthis.offset.relative.top -\n\n\t\t\t\t// The offsetParent\'s offset without borders (offset + border)\n\t\t\t\tthis.offset.parent.top +\n\t\t\t\t( this.cssPosition === "fixed" ?\n\t\t\t\t\t-this.offset.scroll.top :\n\t\t\t\t\t( scrollIsRootNode ? 0 : this.offset.scroll.top ) )\n\t\t\t),\n\t\t\tleft: (\n\n\t\t\t\t// The absolute mouse position\n\t\t\t\tpageX -\n\n\t\t\t\t// Click offset (relative to the element)\n\t\t\t\tthis.offset.click.left -\n\n\t\t\t\t// Only for relative positioned nodes: Relative offset from element to offset parent\n\t\t\t\tthis.offset.relative.left -\n\n\t\t\t\t// The offsetParent\'s offset without borders (offset + border)\n\t\t\t\tthis.offset.parent.left +\n\t\t\t\t( this.cssPosition === "fixed" ?\n\t\t\t\t\t-this.offset.scroll.left :\n\t\t\t\t\t( scrollIsRootNode ? 0 : this.offset.scroll.left ) )\n\t\t\t)\n\t\t};\n\n\t},\n\n\t_clear: function() {\n\t\tthis._removeClass( this.helper, "ui-draggable-dragging" );\n\t\tif ( this.helper[ 0 ] !== this.element[ 0 ] && !this.cancelHelperRemoval ) {\n\t\t\tthis.helper.remove();\n\t\t}\n\t\tthis.helper = null;\n\t\tthis.cancelHelperRemoval = false;\n\t\tif ( this.destroyOnClear ) {\n\t\t\tthis.destroy();\n\t\t}\n\t},\n\n\t// From now on bulk stuff - mainly helpers\n\n\t_trigger: function( type, event, ui ) {\n\t\tui = ui || this._uiHash();\n\t\t$.ui.plugin.call( this, type, [ event, ui, this ], true );\n\n\t\t// Absolute position and offset (see #6884 ) have to be recalculated after plugins\n\t\tif ( /^(drag|start|stop)/.test( type ) ) {\n\t\t\tthis.positionAbs = this._convertPositionTo( "absolute" );\n\t\t\tui.offset = this.positionAbs;\n\t\t}\n\t\treturn $.Widget.prototype._trigger.call( this, type, event, ui );\n\t},\n\n\tplugins: {},\n\n\t_uiHash: function() {\n\t\treturn {\n\t\t\thelper: this.helper,\n\t\t\tposition: this.position,\n\t\t\toriginalPosition: this.originalPosition,\n\t\t\toffset: this.positionAbs\n\t\t};\n\t}\n\n} );\n\n$.ui.plugin.add( "draggable", "connectToSortable", {\n\tstart: function( event, ui, draggable ) {\n\t\tvar uiSortable = $.extend( {}, ui, {\n\t\t\titem: draggable.element\n\t\t} );\n\n\t\tdraggable.sortables = [];\n\t\t$( draggable.options.connectToSortable ).each( function() {\n\t\t\tvar sortable = $( this ).sortable( "instance" );\n\n\t\t\tif ( sortable && !sortable.options.disabled ) {\n\t\t\t\tdraggable.sortables.push( sortable );\n\n\t\t\t\t// RefreshPositions is called at drag start to refresh the containerCache\n\t\t\t\t// which is used in drag. This ensures it\'s initialized and synchronized\n\t\t\t\t// with any changes that might have happened on the page since initialization.\n\t\t\t\tsortable.refreshPositions();\n\t\t\t\tsortable._trigger( "activate", event, uiSortable );\n\t\t\t}\n\t\t} );\n\t},\n\tstop: function( event, ui, draggable ) {\n\t\tvar uiSortable = $.extend( {}, ui, {\n\t\t\titem: draggable.element\n\t\t} );\n\n\t\tdraggable.cancelHelperRemoval = false;\n\n\t\t$.each( draggable.sortables, function() {\n\t\t\tvar sortable = this;\n\n\t\t\tif ( sortable.isOver ) {\n\t\t\t\tsortable.isOver = 0;\n\n\t\t\t\t// Allow this sortable to handle removing the helper\n\t\t\t\tdraggable.cancelHelperRemoval = true;\n\t\t\t\tsortable.cancelHelperRemoval = false;\n\n\t\t\t\t// Use _storedCSS To restore properties in the sortable,\n\t\t\t\t// as this also handles revert (#9675) since the draggable\n\t\t\t\t// may have modified them in unexpected ways (#8809)\n\t\t\t\tsortable._storedCSS = {\n\t\t\t\t\tposition: sortable.placeholder.css( "position" ),\n\t\t\t\t\ttop: sortable.placeholder.css( "top" ),\n\t\t\t\t\tleft: sortable.placeholder.css( "left" )\n\t\t\t\t};\n\n\t\t\t\tsortable._mouseStop( event );\n\n\t\t\t\t// Once drag has ended, the sortable should return to using\n\t\t\t\t// its original helper, not the shared helper from draggable\n\t\t\t\tsortable.options.helper = sortable.options._helper;\n\t\t\t} else {\n\n\t\t\t\t// Prevent this Sortable from removing the helper.\n\t\t\t\t// However, don\'t set the draggable to remove the helper\n\t\t\t\t// either as another connected Sortable may yet handle the removal.\n\t\t\t\tsortable.cancelHelperRemoval = true;\n\n\t\t\t\tsortable._trigger( "deactivate", event, uiSortable );\n\t\t\t}\n\t\t} );\n\t},\n\tdrag: function( event, ui, draggable ) {\n\t\t$.each( draggable.sortables, function() {\n\t\t\tvar innermostIntersecting = false,\n\t\t\t\tsortable = this;\n\n\t\t\t// Copy over variables that sortable\'s _intersectsWith uses\n\t\t\tsortable.positionAbs = draggable.positionAbs;\n\t\t\tsortable.helperProportions = draggable.helperProportions;\n\t\t\tsortable.offset.click = draggable.offset.click;\n\n\t\t\tif ( sortable._intersectsWith( sortable.containerCache ) ) {\n\t\t\t\tinnermostIntersecting = true;\n\n\t\t\t\t$.each( draggable.sortables, function() {\n\n\t\t\t\t\t// Copy over variables that sortable\'s _intersectsWith uses\n\t\t\t\t\tthis.positionAbs = draggable.positionAbs;\n\t\t\t\t\tthis.helperProportions = draggable.helperProportions;\n\t\t\t\t\tthis.offset.click = draggable.offset.click;\n\n\t\t\t\t\tif ( this !== sortable &&\n\t\t\t\t\t\t\tthis._intersectsWith( this.containerCache ) &&\n\t\t\t\t\t\t\t$.contains( sortable.element[ 0 ], this.element[ 0 ] ) ) {\n\t\t\t\t\t\tinnermostIntersecting = false;\n\t\t\t\t\t}\n\n\t\t\t\t\treturn innermostIntersecting;\n\t\t\t\t} );\n\t\t\t}\n\n\t\t\tif ( innermostIntersecting ) {\n\n\t\t\t\t// If it intersects, we use a little isOver variable and set it once,\n\t\t\t\t// so that the move-in stuff gets fired only once.\n\t\t\t\tif ( !sortable.isOver ) {\n\t\t\t\t\tsortable.isOver = 1;\n\n\t\t\t\t\t// Store draggable\'s parent in case we need to reappend to it later.\n\t\t\t\t\tdraggable._parent = ui.helper.parent();\n\n\t\t\t\t\tsortable.currentItem = ui.helper\n\t\t\t\t\t\t.appendTo( sortable.element )\n\t\t\t\t\t\t.data( "ui-sortable-item", true );\n\n\t\t\t\t\t// Store helper option to later restore it\n\t\t\t\t\tsortable.options._helper = sortable.options.helper;\n\n\t\t\t\t\tsortable.options.helper = function() {\n\t\t\t\t\t\treturn ui.helper[ 0 ];\n\t\t\t\t\t};\n\n\t\t\t\t\t// Fire the start events of the sortable with our passed browser event,\n\t\t\t\t\t// and our own helper (so it doesn\'t create a new one)\n\t\t\t\t\tevent.target = sortable.currentItem[ 0 ];\n\t\t\t\t\tsortable._mouseCapture( event, true );\n\t\t\t\t\tsortable._mouseStart( event, true, true );\n\n\t\t\t\t\t// Because the browser event is way off the new appended portlet,\n\t\t\t\t\t// modify necessary variables to reflect the changes\n\t\t\t\t\tsortable.offset.click.top = draggable.offset.click.top;\n\t\t\t\t\tsortable.offset.click.left = draggable.offset.click.left;\n\t\t\t\t\tsortable.offset.parent.left -= draggable.offset.parent.left -\n\t\t\t\t\t\tsortable.offset.parent.left;\n\t\t\t\t\tsortable.offset.parent.top -= draggable.offset.parent.top -\n\t\t\t\t\t\tsortable.offset.parent.top;\n\n\t\t\t\t\tdraggable._trigger( "toSortable", event );\n\n\t\t\t\t\t// Inform draggable that the helper is in a valid drop zone,\n\t\t\t\t\t// used solely in the revert option to handle "valid/invalid".\n\t\t\t\t\tdraggable.dropped = sortable.element;\n\n\t\t\t\t\t// Need to refreshPositions of all sortables in the case that\n\t\t\t\t\t// adding to one sortable changes the location of the other sortables (#9675)\n\t\t\t\t\t$.each( draggable.sortables, function() {\n\t\t\t\t\t\tthis.refreshPositions();\n\t\t\t\t\t} );\n\n\t\t\t\t\t// Hack so receive/update callbacks work (mostly)\n\t\t\t\t\tdraggable.currentItem = draggable.element;\n\t\t\t\t\tsortable.fromOutside = draggable;\n\t\t\t\t}\n\n\t\t\t\tif ( sortable.currentItem ) {\n\t\t\t\t\tsortable._mouseDrag( event );\n\n\t\t\t\t\t// Copy the sortable\'s position because the draggable\'s can potentially reflect\n\t\t\t\t\t// a relative position, while sortable is always absolute, which the dragged\n\t\t\t\t\t// element has now become. (#8809)\n\t\t\t\t\tui.position = sortable.position;\n\t\t\t\t}\n\t\t\t} else {\n\n\t\t\t\t// If it doesn\'t intersect with the sortable, and it intersected before,\n\t\t\t\t// we fake the drag stop of the sortable, but make sure it doesn\'t remove\n\t\t\t\t// the helper by using cancelHelperRemoval.\n\t\t\t\tif ( sortable.isOver ) {\n\n\t\t\t\t\tsortable.isOver = 0;\n\t\t\t\t\tsortable.cancelHelperRemoval = true;\n\n\t\t\t\t\t// Calling sortable\'s mouseStop would trigger a revert,\n\t\t\t\t\t// so revert must be temporarily false until after mouseStop is called.\n\t\t\t\t\tsortable.options._revert = sortable.options.revert;\n\t\t\t\t\tsortable.options.revert = false;\n\n\t\t\t\t\tsortable._trigger( "out", event, sortable._uiHash( sortable ) );\n\t\t\t\t\tsortable._mouseStop( event, true );\n\n\t\t\t\t\t// Restore sortable behaviors that were modfied\n\t\t\t\t\t// when the draggable entered the sortable area (#9481)\n\t\t\t\t\tsortable.options.revert = sortable.options._revert;\n\t\t\t\t\tsortable.options.helper = sortable.options._helper;\n\n\t\t\t\t\tif ( sortable.placeholder ) {\n\t\t\t\t\t\tsortable.placeholder.remove();\n\t\t\t\t\t}\n\n\t\t\t\t\t// Restore and recalculate the draggable\'s offset considering the sortable\n\t\t\t\t\t// may have modified them in unexpected ways. (#8809, #10669)\n\t\t\t\t\tui.helper.appendTo( draggable._parent );\n\t\t\t\t\tdraggable._refreshOffsets( event );\n\t\t\t\t\tui.position = draggable._generatePosition( event, true );\n\n\t\t\t\t\tdraggable._trigger( "fromSortable", event );\n\n\t\t\t\t\t// Inform draggable that the helper is no longer in a valid drop zone\n\t\t\t\t\tdraggable.dropped = false;\n\n\t\t\t\t\t// Need to refreshPositions of all sortables just in case removing\n\t\t\t\t\t// from one sortable changes the location of other sortables (#9675)\n\t\t\t\t\t$.each( draggable.sortables, function() {\n\t\t\t\t\t\tthis.refreshPositions();\n\t\t\t\t\t} );\n\t\t\t\t}\n\t\t\t}\n\t\t} );\n\t}\n} );\n\n$.ui.plugin.add( "draggable", "cursor", {\n\tstart: function( event, ui, instance ) {\n\t\tvar t = $( "body" ),\n\t\t\to = instance.options;\n\n\t\tif ( t.css( "cursor" ) ) {\n\t\t\to._cursor = t.css( "cursor" );\n\t\t}\n\t\tt.css( "cursor", o.cursor );\n\t},\n\tstop: function( event, ui, instance ) {\n\t\tvar o = instance.options;\n\t\tif ( o._cursor ) {\n\t\t\t$( "body" ).css( "cursor", o._cursor );\n\t\t}\n\t}\n} );\n\n$.ui.plugin.add( "draggable", "opacity", {\n\tstart: function( event, ui, instance ) {\n\t\tvar t = $( ui.helper ),\n\t\t\to = instance.options;\n\t\tif ( t.css( "opacity" ) ) {\n\t\t\to._opacity = t.css( "opacity" );\n\t\t}\n\t\tt.css( "opacity", o.opacity );\n\t},\n\tstop: function( event, ui, instance ) {\n\t\tvar o = instance.options;\n\t\tif ( o._opacity ) {\n\t\t\t$( ui.helper ).css( "opacity", o._opacity );\n\t\t}\n\t}\n} );\n\n$.ui.plugin.add( "draggable", "scroll", {\n\tstart: function( event, ui, i ) {\n\t\tif ( !i.scrollParentNotHidden ) {\n\t\t\ti.scrollParentNotHidden = i.helper.scrollParent( false );\n\t\t}\n\n\t\tif ( i.scrollParentNotHidden[ 0 ] !== i.document[ 0 ] &&\n\t\t\t\ti.scrollParentNotHidden[ 0 ].tagName !== "HTML" ) {\n\t\t\ti.overflowOffset = i.scrollParentNotHidden.offset();\n\t\t}\n\t},\n\tdrag: function( event, ui, i ) {\n\n\t\tvar o = i.options,\n\t\t\tscrolled = false,\n\t\t\tscrollParent = i.scrollParentNotHidden[ 0 ],\n\t\t\tdocument = i.document[ 0 ];\n\n\t\tif ( scrollParent !== document && scrollParent.tagName !== "HTML" ) {\n\t\t\tif ( !o.axis || o.axis !== "x" ) {\n\t\t\t\tif ( ( i.overflowOffset.top + scrollParent.offsetHeight ) - event.pageY <\n\t\t\t\t\t\to.scrollSensitivity ) {\n\t\t\t\t\tscrollParent.scrollTop = scrolled = scrollParent.scrollTop + o.scrollSpeed;\n\t\t\t\t} else if ( event.pageY - i.overflowOffset.top < o.scrollSensitivity ) {\n\t\t\t\t\tscrollParent.scrollTop = scrolled = scrollParent.scrollTop - o.scrollSpeed;\n\t\t\t\t}\n\t\t\t}\n\n\t\t\tif ( !o.axis || o.axis !== "y" ) {\n\t\t\t\tif ( ( i.overflowOffset.left + scrollParent.offsetWidth ) - event.pageX <\n\t\t\t\t\t\to.scrollSensitivity ) {\n\t\t\t\t\tscrollParent.scrollLeft = scrolled = scrollParent.scrollLeft + o.scrollSpeed;\n\t\t\t\t} else if ( event.pageX - i.overflowOffset.left < o.scrollSensitivity ) {\n\t\t\t\t\tscrollParent.scrollLeft = scrolled = scrollParent.scrollLeft - o.scrollSpeed;\n\t\t\t\t}\n\t\t\t}\n\n\t\t} else {\n\n\t\t\tif ( !o.axis || o.axis !== "x" ) {\n\t\t\t\tif ( event.pageY - $( document ).scrollTop() < o.scrollSensitivity ) {\n\t\t\t\t\tscrolled = $( document ).scrollTop( $( document ).scrollTop() - o.scrollSpeed );\n\t\t\t\t} else if ( $( window ).height() - ( event.pageY - $( document ).scrollTop() ) <\n\t\t\t\t\t\to.scrollSensitivity ) {\n\t\t\t\t\tscrolled = $( document ).scrollTop( $( document ).scrollTop() + o.scrollSpeed );\n\t\t\t\t}\n\t\t\t}\n\n\t\t\tif ( !o.axis || o.axis !== "y" ) {\n\t\t\t\tif ( event.pageX - $( document ).scrollLeft() < o.scrollSensitivity ) {\n\t\t\t\t\tscrolled = $( document ).scrollLeft(\n\t\t\t\t\t\t$( document ).scrollLeft() - o.scrollSpeed\n\t\t\t\t\t);\n\t\t\t\t} else if ( $( window ).width() - ( event.pageX - $( document ).scrollLeft() ) <\n\t\t\t\t\t\to.scrollSensitivity ) {\n\t\t\t\t\tscrolled = $( document ).scrollLeft(\n\t\t\t\t\t\t$( document ).scrollLeft() + o.scrollSpeed\n\t\t\t\t\t);\n\t\t\t\t}\n\t\t\t}\n\n\t\t}\n\n\t\tif ( scrolled !== false && $.ui.ddmanager && !o.dropBehaviour ) {\n\t\t\t$.ui.ddmanager.prepareOffsets( i, event );\n\t\t}\n\n\t}\n} );\n\n$.ui.plugin.add( "draggable", "snap", {\n\tstart: function( event, ui, i ) {\n\n\t\tvar o = i.options;\n\n\t\ti.snapElements = [];\n\n\t\t$( o.snap.constructor !== String ? ( o.snap.items || ":data(ui-draggable)" ) : o.snap )\n\t\t\t.each( function() {\n\t\t\t\tvar $t = $( this ),\n\t\t\t\t\t$o = $t.offset();\n\t\t\t\tif ( this !== i.element[ 0 ] ) {\n\t\t\t\t\ti.snapElements.push( {\n\t\t\t\t\t\titem: this,\n\t\t\t\t\t\twidth: $t.outerWidth(), height: $t.outerHeight(),\n\t\t\t\t\t\ttop: $o.top, left: $o.left\n\t\t\t\t\t} );\n\t\t\t\t}\n\t\t\t} );\n\n\t},\n\tdrag: function( event, ui, inst ) {\n\n\t\tvar ts, bs, ls, rs, l, r, t, b, i, first,\n\t\t\to = inst.options,\n\t\t\td = o.snapTolerance,\n\t\t\tx1 = ui.offset.left, x2 = x1 + inst.helperProportions.width,\n\t\t\ty1 = ui.offset.top, y2 = y1 + inst.helperProportions.height;\n\n\t\tfor ( i = inst.snapElements.length - 1; i >= 0; i-- ) {\n\n\t\t\tl = inst.snapElements[ i ].left - inst.margins.left;\n\t\t\tr = l + inst.snapElements[ i ].width;\n\t\t\tt = inst.snapElements[ i ].top - inst.margins.top;\n\t\t\tb = t + inst.snapElements[ i ].height;\n\n\t\t\tif ( x2 < l - d || x1 > r + d || y2 < t - d || y1 > b + d ||\n\t\t\t\t\t!$.contains( inst.snapElements[ i ].item.ownerDocument,\n\t\t\t\t\tinst.snapElements[ i ].item ) ) {\n\t\t\t\tif ( inst.snapElements[ i ].snapping ) {\n\t\t\t\t\t( inst.options.snap.release &&\n\t\t\t\t\t\tinst.options.snap.release.call(\n\t\t\t\t\t\t\tinst.element,\n\t\t\t\t\t\t\tevent,\n\t\t\t\t\t\t\t$.extend( inst._uiHash(), { snapItem: inst.snapElements[ i ].item } )\n\t\t\t\t\t\t) );\n\t\t\t\t}\n\t\t\t\tinst.snapElements[ i ].snapping = false;\n\t\t\t\tcontinue;\n\t\t\t}\n\n\t\t\tif ( o.snapMode !== "inner" ) {\n\t\t\t\tts = Math.abs( t - y2 ) <= d;\n\t\t\t\tbs = Math.abs( b - y1 ) <= d;\n\t\t\t\tls = Math.abs( l - x2 ) <= d;\n\t\t\t\trs = Math.abs( r - x1 ) <= d;\n\t\t\t\tif ( ts ) {\n\t\t\t\t\tui.position.top = inst._convertPositionTo( "relative", {\n\t\t\t\t\t\ttop: t - inst.helperProportions.height,\n\t\t\t\t\t\tleft: 0\n\t\t\t\t\t} ).top;\n\t\t\t\t}\n\t\t\t\tif ( bs ) {\n\t\t\t\t\tui.position.top = inst._convertPositionTo( "relative", {\n\t\t\t\t\t\ttop: b,\n\t\t\t\t\t\tleft: 0\n\t\t\t\t\t} ).top;\n\t\t\t\t}\n\t\t\t\tif ( ls ) {\n\t\t\t\t\tui.position.left = inst._convertPositionTo( "relative", {\n\t\t\t\t\t\ttop: 0,\n\t\t\t\t\t\tleft: l - inst.helperProportions.width\n\t\t\t\t\t} ).left;\n\t\t\t\t}\n\t\t\t\tif ( rs ) {\n\t\t\t\t\tui.position.left = inst._convertPositionTo( "relative", {\n\t\t\t\t\t\ttop: 0,\n\t\t\t\t\t\tleft: r\n\t\t\t\t\t} ).left;\n\t\t\t\t}\n\t\t\t}\n\n\t\t\tfirst = ( ts || bs || ls || rs );\n\n\t\t\tif ( o.snapMode !== "outer" ) {\n\t\t\t\tts = Math.abs( t - y1 ) <= d;\n\t\t\t\tbs = Math.abs( b - y2 ) <= d;\n\t\t\t\tls = Math.abs( l - x1 ) <= d;\n\t\t\t\trs = Math.abs( r - x2 ) <= d;\n\t\t\t\tif ( ts ) {\n\t\t\t\t\tui.position.top = inst._convertPositionTo( "relative", {\n\t\t\t\t\t\ttop: t,\n\t\t\t\t\t\tleft: 0\n\t\t\t\t\t} ).top;\n\t\t\t\t}\n\t\t\t\tif ( bs ) {\n\t\t\t\t\tui.position.top = inst._convertPositionTo( "relative", {\n\t\t\t\t\t\ttop: b - inst.helperProportions.height,\n\t\t\t\t\t\tleft: 0\n\t\t\t\t\t} ).top;\n\t\t\t\t}\n\t\t\t\tif ( ls ) {\n\t\t\t\t\tui.position.left = inst._convertPositionTo( "relative", {\n\t\t\t\t\t\ttop: 0,\n\t\t\t\t\t\tleft: l\n\t\t\t\t\t} ).left;\n\t\t\t\t}\n\t\t\t\tif ( rs ) {\n\t\t\t\t\tui.position.left = inst._convertPositionTo( "relative", {\n\t\t\t\t\t\ttop: 0,\n\t\t\t\t\t\tleft: r - inst.helperProportions.width\n\t\t\t\t\t} ).left;\n\t\t\t\t}\n\t\t\t}\n\n\t\t\tif ( !inst.snapElements[ i ].snapping && ( ts || bs || ls || rs || first ) ) {\n\t\t\t\t( inst.options.snap.snap &&\n\t\t\t\t\tinst.options.snap.snap.call(\n\t\t\t\t\t\tinst.element,\n\t\t\t\t\t\tevent,\n\t\t\t\t\t\t$.extend( inst._uiHash(), {\n\t\t\t\t\t\t\tsnapItem: inst.snapElements[ i ].item\n\t\t\t\t\t\t} ) ) );\n\t\t\t}\n\t\t\tinst.snapElements[ i ].snapping = ( ts || bs || ls || rs || first );\n\n\t\t}\n\n\t}\n} );\n\n$.ui.plugin.add( "draggable", "stack", {\n\tstart: function( event, ui, instance ) {\n\t\tvar min,\n\t\t\to = instance.options,\n\t\t\tgroup = $.makeArray( $( o.stack ) ).sort( function( a, b ) {\n\t\t\t\treturn ( parseInt( $( a ).css( "zIndex" ), 10 ) || 0 ) -\n\t\t\t\t\t( parseInt( $( b ).css( "zIndex" ), 10 ) || 0 );\n\t\t\t} );\n\n\t\tif ( !group.length ) { return; }\n\n\t\tmin = parseInt( $( group[ 0 ] ).css( "zIndex" ), 10 ) || 0;\n\t\t$( group ).each( function( i ) {\n\t\t\t$( this ).css( "zIndex", min + i );\n\t\t} );\n\t\tthis.css( "zIndex", ( min + group.length ) );\n\t}\n} );\n\n$.ui.plugin.add( "draggable", "zIndex", {\n\tstart: function( event, ui, instance ) {\n\t\tvar t = $( ui.helper ),\n\t\t\to = instance.options;\n\n\t\tif ( t.css( "zIndex" ) ) {\n\t\t\to._zIndex = t.css( "zIndex" );\n\t\t}\n\t\tt.css( "zIndex", o.zIndex );\n\t},\n\tstop: function( event, ui, instance ) {\n\t\tvar o = instance.options;\n\n\t\tif ( o._zIndex ) {\n\t\t\t$( ui.helper ).css( "zIndex", o._zIndex );\n\t\t}\n\t}\n} );\n\nreturn $.ui.draggable;\n\n} ) );\n'},3118:function(e,t,n){n(1654)(n(3119))},3119:function(e,t){e.exports="/**\r\n * jQuery contextMenu v2.8.0 - Plugin for simple contextMenu handling\r\n *\r\n * Version: v2.8.0\r\n *\r\n * Authors: Björn Brala (SWIS.nl), Rodney Rehm, Addy Osmani (patches for FF)\r\n * Web: http://swisnl.github.io/jQuery-contextMenu/\r\n *\r\n * Copyright (c) 2011-2019 SWIS BV and contributors\r\n *\r\n * Licensed under\r\n * MIT License http://www.opensource.org/licenses/mit-license\r\n *\r\n * Date: 2019-01-16T15:45:48.370Z\r\n */\r\n\r\n// jscs:disable\r\n/* jshint ignore:start */\r\n(function (factory) {\r\n if (typeof define === 'function' && define.amd) {\r\n // AMD. Register as anonymous module.\r\n define(['jquery'], factory);\r\n } else if (typeof exports === 'object') {\r\n // Node / CommonJS\r\n factory(require('jquery'));\r\n } else {\r\n // Browser globals.\r\n factory(jQuery);\r\n }\r\n})(function ($) {\r\n\r\n 'use strict';\r\n\r\n // TODO: -\r\n // ARIA stuff: menuitem, menuitemcheckbox und menuitemradio\r\n // create <menu> structure if $.support[htmlCommand || htmlMenuitem] and !opt.disableNative\r\n\r\n // determine html5 compatibility\r\n $.support.htmlMenuitem = ('HTMLMenuItemElement' in window);\r\n $.support.htmlCommand = ('HTMLCommandElement' in window);\r\n $.support.eventSelectstart = ('onselectstart' in document.documentElement);\r\n /* // should the need arise, test for css user-select\r\n $.support.cssUserSelect = (function(){\r\n var t = false,\r\n e = document.createElement('div');\r\n\r\n $.each('Moz|Webkit|Khtml|O|ms|Icab|'.split('|'), function(i, prefix) {\r\n var propCC = prefix + (prefix ? 'U' : 'u') + 'serSelect',\r\n prop = (prefix ? ('-' + prefix.toLowerCase() + '-') : '') + 'user-select';\r\n\r\n e.style.cssText = prop + ': text;';\r\n if (e.style[propCC] == 'text') {\r\n t = true;\r\n return false;\r\n }\r\n\r\n return true;\r\n });\r\n\r\n return t;\r\n })();\r\n */\r\n\r\n\r\n if (!$.ui || !$.widget) {\r\n // duck punch $.cleanData like jQueryUI does to get that remove event\r\n $.cleanData = (function (orig) {\r\n return function (elems) {\r\n var events, elem, i;\r\n for (i = 0; elems[i] != null; i++) {\r\n elem = elems[i];\r\n try {\r\n // Only trigger remove when necessary to save time\r\n events = $._data(elem, 'events');\r\n if (events && events.remove) {\r\n $(elem).triggerHandler('remove');\r\n }\r\n\r\n // Http://bugs.jquery.com/ticket/8235\r\n } catch (e) {\r\n }\r\n }\r\n orig(elems);\r\n };\r\n })($.cleanData);\r\n }\r\n /* jshint ignore:end */\r\n // jscs:enable\r\n\r\n var // currently active contextMenu trigger\r\n $currentTrigger = null,\r\n // is contextMenu initialized with at least one menu?\r\n initialized = false,\r\n // window handle\r\n $win = $(window),\r\n // number of registered menus\r\n counter = 0,\r\n // mapping selector to namespace\r\n namespaces = {},\r\n // mapping namespace to options\r\n menus = {},\r\n // custom command type handlers\r\n types = {},\r\n // default values\r\n defaults = {\r\n // selector of contextMenu trigger\r\n selector: null,\r\n // where to append the menu to\r\n appendTo: null,\r\n // method to trigger context menu [\"right\", \"left\", \"hover\"]\r\n trigger: 'right',\r\n // hide menu when mouse leaves trigger / menu elements\r\n autoHide: false,\r\n // ms to wait before showing a hover-triggered context menu\r\n delay: 200,\r\n // flag denoting if a second trigger should simply move (true) or rebuild (false) an open menu\r\n // as long as the trigger happened on one of the trigger-element's child nodes\r\n reposition: true,\r\n // Flag denoting if a second trigger should close the menu, as long as\r\n // the trigger happened on one of the trigger-element's child nodes.\r\n // This overrides the reposition option.\r\n hideOnSecondTrigger: false,\r\n\r\n //ability to select submenu\r\n selectableSubMenu: false,\r\n\r\n // Default classname configuration to be able avoid conflicts in frameworks\r\n classNames: {\r\n hover: 'context-menu-hover', // Item hover\r\n disabled: 'context-menu-disabled', // Item disabled\r\n visible: 'context-menu-visible', // Item visible\r\n notSelectable: 'context-menu-not-selectable', // Item not selectable\r\n\r\n icon: 'context-menu-icon',\r\n iconEdit: 'context-menu-icon-edit',\r\n iconCut: 'context-menu-icon-cut',\r\n iconCopy: 'context-menu-icon-copy',\r\n iconPaste: 'context-menu-icon-paste',\r\n iconDelete: 'context-menu-icon-delete',\r\n iconAdd: 'context-menu-icon-add',\r\n iconQuit: 'context-menu-icon-quit',\r\n iconLoadingClass: 'context-menu-icon-loading'\r\n },\r\n\r\n // determine position to show menu at\r\n determinePosition: function ($menu) {\r\n // position to the lower middle of the trigger element\r\n if ($.ui && $.ui.position) {\r\n // .position() is provided as a jQuery UI utility\r\n // (...and it won't work on hidden elements)\r\n $menu.css('display', 'block').position({\r\n my: 'center top',\r\n at: 'center bottom',\r\n of: this,\r\n offset: '0 5',\r\n collision: 'fit'\r\n }).css('display', 'none');\r\n } else {\r\n // determine contextMenu position\r\n var offset = this.offset();\r\n offset.top += this.outerHeight();\r\n offset.left += this.outerWidth() / 2 - $menu.outerWidth() / 2;\r\n $menu.css(offset);\r\n }\r\n },\r\n // position menu\r\n position: function (opt, x, y) {\r\n var offset;\r\n // determine contextMenu position\r\n if (!x && !y) {\r\n opt.determinePosition.call(this, opt.$menu);\r\n return;\r\n } else if (x === 'maintain' && y === 'maintain') {\r\n // x and y must not be changed (after re-show on command click)\r\n offset = opt.$menu.position();\r\n } else {\r\n // x and y are given (by mouse event)\r\n var offsetParentOffset = opt.$menu.offsetParent().offset();\r\n offset = {top: y - offsetParentOffset.top, left: x -offsetParentOffset.left};\r\n }\r\n\r\n // correct offset if viewport demands it\r\n var bottom = $win.scrollTop() + $win.height(),\r\n right = $win.scrollLeft() + $win.width(),\r\n height = opt.$menu.outerHeight(),\r\n width = opt.$menu.outerWidth();\r\n\r\n if (offset.top + height > bottom) {\r\n offset.top -= height;\r\n }\r\n\r\n if (offset.top < 0) {\r\n offset.top = 0;\r\n }\r\n\r\n if (offset.left + width > right) {\r\n offset.left -= width;\r\n }\r\n\r\n if (offset.left < 0) {\r\n offset.left = 0;\r\n }\r\n\r\n opt.$menu.css(offset);\r\n },\r\n // position the sub-menu\r\n positionSubmenu: function ($menu) {\r\n if (typeof $menu === 'undefined') {\r\n // When user hovers over item (which has sub items) handle.focusItem will call this.\r\n // but the submenu does not exist yet if opt.items is a promise. just return, will\r\n // call positionSubmenu after promise is completed.\r\n return;\r\n }\r\n if ($.ui && $.ui.position) {\r\n // .position() is provided as a jQuery UI utility\r\n // (...and it won't work on hidden elements)\r\n $menu.css('display', 'block').position({\r\n my: 'left top-5',\r\n at: 'right top',\r\n of: this,\r\n collision: 'flipfit fit'\r\n }).css('display', '');\r\n } else {\r\n // determine contextMenu position\r\n var offset = {\r\n top: -9,\r\n left: this.outerWidth() - 5\r\n };\r\n $menu.css(offset);\r\n }\r\n },\r\n // offset to add to zIndex\r\n zIndex: 1,\r\n // show hide animation settings\r\n animation: {\r\n duration: 50,\r\n show: 'slideDown',\r\n hide: 'slideUp'\r\n },\r\n // events\r\n events: {\r\n preShow: $.noop,\r\n show: $.noop,\r\n hide: $.noop,\r\n activated: $.noop\r\n },\r\n // default callback\r\n callback: null,\r\n // list of contextMenu items\r\n items: {}\r\n },\r\n // mouse position for hover activation\r\n hoveract = {\r\n timer: null,\r\n pageX: null,\r\n pageY: null\r\n },\r\n // determine zIndex\r\n zindex = function ($t) {\r\n var zin = 0,\r\n $tt = $t;\r\n\r\n while (true) {\r\n zin = Math.max(zin, parseInt($tt.css('z-index'), 10) || 0);\r\n $tt = $tt.parent();\r\n if (!$tt || !$tt.length || 'html body'.indexOf($tt.prop('nodeName').toLowerCase()) > -1) {\r\n break;\r\n }\r\n }\r\n return zin;\r\n },\r\n // event handlers\r\n handle = {\r\n // abort anything\r\n abortevent: function (e) {\r\n e.preventDefault();\r\n e.stopImmediatePropagation();\r\n },\r\n // contextmenu show dispatcher\r\n contextmenu: function (e) {\r\n var $this = $(this);\r\n \r\n //Show browser context-menu when preShow returns false\r\n if (e.data.events.preShow($this,e) === false) {\r\n return;\r\n }\r\n\r\n // disable actual context-menu if we are using the right mouse button as the trigger\r\n if (e.data.trigger === 'right') {\r\n e.preventDefault();\r\n e.stopImmediatePropagation();\r\n }\r\n\r\n // abort native-triggered events unless we're triggering on right click\r\n if ((e.data.trigger !== 'right' && e.data.trigger !== 'demand') && e.originalEvent) {\r\n return;\r\n }\r\n\r\n // Let the current contextmenu decide if it should show or not based on its own trigger settings\r\n if (typeof e.mouseButton !== 'undefined' && e.data) {\r\n if (!(e.data.trigger === 'left' && e.mouseButton === 0) && !(e.data.trigger === 'right' && e.mouseButton === 2)) {\r\n // Mouse click is not valid.\r\n return;\r\n }\r\n }\r\n\r\n // abort event if menu is visible for this trigger\r\n if ($this.hasClass('context-menu-active')) {\r\n return;\r\n }\r\n\r\n if (!$this.hasClass('context-menu-disabled')) {\r\n // theoretically need to fire a show event at <menu>\r\n // http://www.whatwg.org/specs/web-apps/current-work/multipage/interactive-elements.html#context-menus\r\n // var evt = jQuery.Event(\"show\", { data: data, pageX: e.pageX, pageY: e.pageY, relatedTarget: this });\r\n // e.data.$menu.trigger(evt);\r\n\r\n $currentTrigger = $this;\r\n if (e.data.build) {\r\n var built = e.data.build($currentTrigger, e);\r\n // abort if build() returned false\r\n if (built === false) {\r\n return;\r\n }\r\n\r\n // dynamically build menu on invocation\r\n e.data = $.extend(true, {}, defaults, e.data, built || {});\r\n\r\n // abort if there are no items to display\r\n if (!e.data.items || $.isEmptyObject(e.data.items)) {\r\n // Note: jQuery captures and ignores errors from event handlers\r\n if (window.console) {\r\n (console.error || console.log).call(console, 'No items specified to show in contextMenu');\r\n }\r\n\r\n throw new Error('No Items specified');\r\n }\r\n\r\n // backreference for custom command type creation\r\n e.data.$trigger = $currentTrigger;\r\n\r\n op.create(e.data);\r\n }\r\n op.show.call($this, e.data, e.pageX, e.pageY);\r\n }\r\n },\r\n // contextMenu left-click trigger\r\n click: function (e) {\r\n e.preventDefault();\r\n e.stopImmediatePropagation();\r\n $(this).trigger($.Event('contextmenu', {data: e.data, pageX: e.pageX, pageY: e.pageY}));\r\n },\r\n // contextMenu right-click trigger\r\n mousedown: function (e) {\r\n // register mouse down\r\n var $this = $(this);\r\n\r\n // hide any previous menus\r\n if ($currentTrigger && $currentTrigger.length && !$currentTrigger.is($this)) {\r\n $currentTrigger.data('contextMenu').$menu.trigger('contextmenu:hide');\r\n }\r\n\r\n // activate on right click\r\n if (e.button === 2) {\r\n $currentTrigger = $this.data('contextMenuActive', true);\r\n }\r\n },\r\n // contextMenu right-click trigger\r\n mouseup: function (e) {\r\n // show menu\r\n var $this = $(this);\r\n if ($this.data('contextMenuActive') && $currentTrigger && $currentTrigger.length && $currentTrigger.is($this) && !$this.hasClass('context-menu-disabled')) {\r\n e.preventDefault();\r\n e.stopImmediatePropagation();\r\n $currentTrigger = $this;\r\n $this.trigger($.Event('contextmenu', {data: e.data, pageX: e.pageX, pageY: e.pageY}));\r\n }\r\n\r\n $this.removeData('contextMenuActive');\r\n },\r\n // contextMenu hover trigger\r\n mouseenter: function (e) {\r\n var $this = $(this),\r\n $related = $(e.relatedTarget),\r\n $document = $(document);\r\n\r\n // abort if we're coming from a menu\r\n if ($related.is('.context-menu-list') || $related.closest('.context-menu-list').length) {\r\n return;\r\n }\r\n\r\n // abort if a menu is shown\r\n if ($currentTrigger && $currentTrigger.length) {\r\n return;\r\n }\r\n\r\n hoveract.pageX = e.pageX;\r\n hoveract.pageY = e.pageY;\r\n hoveract.data = e.data;\r\n $document.on('mousemove.contextMenuShow', handle.mousemove);\r\n hoveract.timer = setTimeout(function () {\r\n hoveract.timer = null;\r\n $document.off('mousemove.contextMenuShow');\r\n $currentTrigger = $this;\r\n $this.trigger($.Event('contextmenu', {\r\n data: hoveract.data,\r\n pageX: hoveract.pageX,\r\n pageY: hoveract.pageY\r\n }));\r\n }, e.data.delay);\r\n },\r\n // contextMenu hover trigger\r\n mousemove: function (e) {\r\n hoveract.pageX = e.pageX;\r\n hoveract.pageY = e.pageY;\r\n },\r\n // contextMenu hover trigger\r\n mouseleave: function (e) {\r\n // abort if we're leaving for a menu\r\n var $related = $(e.relatedTarget);\r\n if ($related.is('.context-menu-list') || $related.closest('.context-menu-list').length) {\r\n return;\r\n }\r\n\r\n try {\r\n clearTimeout(hoveract.timer);\r\n } catch (e) {\r\n }\r\n\r\n hoveract.timer = null;\r\n },\r\n // click on layer to hide contextMenu\r\n layerClick: function (e) {\r\n var $this = $(this),\r\n root = $this.data('contextMenuRoot'),\r\n button = e.button,\r\n x = e.pageX,\r\n y = e.pageY,\r\n fakeClick = x === undefined,\r\n target,\r\n offset;\r\n\r\n e.preventDefault();\r\n\r\n setTimeout(function () {\r\n // If the click is not real, things break: https://github.com/swisnl/jQuery-contextMenu/issues/132\r\n if(fakeClick){\r\n if (root !== null && typeof root !== 'undefined' && root.$menu !== null && typeof root.$menu !== 'undefined') {\r\n root.$menu.trigger('contextmenu:hide');\r\n }\r\n return;\r\n }\r\n\r\n var $window;\r\n var triggerAction = ((root.trigger === 'left' && button === 0) || (root.trigger === 'right' && button === 2));\r\n\r\n // find the element that would've been clicked, wasn't the layer in the way\r\n if (document.elementFromPoint && root.$layer) {\r\n root.$layer.hide();\r\n target = document.elementFromPoint(x - $win.scrollLeft(), y - $win.scrollTop());\r\n\r\n // also need to try and focus this element if we're in a contenteditable area,\r\n // as the layer will prevent the browser mouse action we want\r\n if (target.isContentEditable) {\r\n var range = document.createRange(),\r\n sel = window.getSelection();\r\n range.selectNode(target);\r\n range.collapse(true);\r\n sel.removeAllRanges();\r\n sel.addRange(range);\r\n }\r\n $(target).trigger(e);\r\n root.$layer.show();\r\n }\r\n\r\n if (root.hideOnSecondTrigger && triggerAction && root.$menu !== null && typeof root.$menu !== 'undefined') {\r\n root.$menu.trigger('contextmenu:hide');\r\n return;\r\n }\r\n\r\n if (root.reposition && triggerAction) {\r\n if (document.elementFromPoint) {\r\n if (root.$trigger.is(target)) {\r\n root.position.call(root.$trigger, root, x, y);\r\n return;\r\n }\r\n } else {\r\n offset = root.$trigger.offset();\r\n $window = $(window);\r\n // while this looks kinda awful, it's the best way to avoid\r\n // unnecessarily calculating any positions\r\n offset.top += $window.scrollTop();\r\n if (offset.top <= e.pageY) {\r\n offset.left += $window.scrollLeft();\r\n if (offset.left <= e.pageX) {\r\n offset.bottom = offset.top + root.$trigger.outerHeight();\r\n if (offset.bottom >= e.pageY) {\r\n offset.right = offset.left + root.$trigger.outerWidth();\r\n if (offset.right >= e.pageX) {\r\n // reposition\r\n root.position.call(root.$trigger, root, x, y);\r\n return;\r\n }\r\n }\r\n }\r\n }\r\n }\r\n }\r\n\r\n if (target && triggerAction) {\r\n root.$trigger.one('contextmenu:hidden', function () {\r\n $(target).contextMenu({x: x, y: y, button: button});\r\n });\r\n }\r\n\r\n if (root !== null && typeof root !== 'undefined' && root.$menu !== null && typeof root.$menu !== 'undefined') {\r\n root.$menu.trigger('contextmenu:hide');\r\n }\r\n }, 50);\r\n },\r\n // key handled :hover\r\n keyStop: function (e, opt) {\r\n if (!opt.isInput) {\r\n e.preventDefault();\r\n }\r\n\r\n e.stopPropagation();\r\n },\r\n key: function (e) {\r\n\r\n var opt = {};\r\n\r\n // Only get the data from $currentTrigger if it exists\r\n if ($currentTrigger) {\r\n opt = $currentTrigger.data('contextMenu') || {};\r\n }\r\n // If the trigger happen on a element that are above the contextmenu do this\r\n if (typeof opt.zIndex === 'undefined') {\r\n opt.zIndex = 0;\r\n }\r\n var targetZIndex = 0;\r\n var getZIndexOfTriggerTarget = function (target) {\r\n if (target.style.zIndex !== '') {\r\n targetZIndex = target.style.zIndex;\r\n } else {\r\n if (target.offsetParent !== null && typeof target.offsetParent !== 'undefined') {\r\n getZIndexOfTriggerTarget(target.offsetParent);\r\n }\r\n else if (target.parentElement !== null && typeof target.parentElement !== 'undefined') {\r\n getZIndexOfTriggerTarget(target.parentElement);\r\n }\r\n }\r\n };\r\n getZIndexOfTriggerTarget(e.target);\r\n // If targetZIndex is heigher then opt.zIndex dont progress any futher.\r\n // This is used to make sure that if you are using a dialog with a input / textarea / contenteditable div\r\n // and its above the contextmenu it wont steal keys events\r\n if (opt.$menu && parseInt(targetZIndex,10) > parseInt(opt.$menu.css(\"zIndex\"),10)) {\r\n return;\r\n }\r\n switch (e.keyCode) {\r\n case 9:\r\n case 38: // up\r\n handle.keyStop(e, opt);\r\n // if keyCode is [38 (up)] or [9 (tab) with shift]\r\n if (opt.isInput) {\r\n if (e.keyCode === 9 && e.shiftKey) {\r\n e.preventDefault();\r\n if (opt.$selected) {\r\n opt.$selected.find('input, textarea, select').blur();\r\n }\r\n if (opt.$menu !== null && typeof opt.$menu !== 'undefined') {\r\n opt.$menu.trigger('prevcommand');\r\n }\r\n return;\r\n } else if (e.keyCode === 38 && opt.$selected.find('input, textarea, select').prop('type') === 'checkbox') {\r\n // checkboxes don't capture this key\r\n e.preventDefault();\r\n return;\r\n }\r\n } else if (e.keyCode !== 9 || e.shiftKey) {\r\n if (opt.$menu !== null && typeof opt.$menu !== 'undefined') {\r\n opt.$menu.trigger('prevcommand');\r\n }\r\n return;\r\n }\r\n break;\r\n // omitting break;\r\n // case 9: // tab - reached through omitted break;\r\n case 40: // down\r\n handle.keyStop(e, opt);\r\n if (opt.isInput) {\r\n if (e.keyCode === 9) {\r\n e.preventDefault();\r\n if (opt.$selected) {\r\n opt.$selected.find('input, textarea, select').blur();\r\n }\r\n if (opt.$menu !== null && typeof opt.$menu !== 'undefined') {\r\n opt.$menu.trigger('nextcommand');\r\n }\r\n return;\r\n } else if (e.keyCode === 40 && opt.$selected.find('input, textarea, select').prop('type') === 'checkbox') {\r\n // checkboxes don't capture this key\r\n e.preventDefault();\r\n return;\r\n }\r\n } else {\r\n if (opt.$menu !== null && typeof opt.$menu !== 'undefined') {\r\n opt.$menu.trigger('nextcommand');\r\n }\r\n return;\r\n }\r\n break;\r\n\r\n case 37: // left\r\n handle.keyStop(e, opt);\r\n if (opt.isInput || !opt.$selected || !opt.$selected.length) {\r\n break;\r\n }\r\n\r\n if (!opt.$selected.parent().hasClass('context-menu-root')) {\r\n var $parent = opt.$selected.parent().parent();\r\n opt.$selected.trigger('contextmenu:blur');\r\n opt.$selected = $parent;\r\n return;\r\n }\r\n break;\r\n\r\n case 39: // right\r\n handle.keyStop(e, opt);\r\n if (opt.isInput || !opt.$selected || !opt.$selected.length) {\r\n break;\r\n }\r\n\r\n var itemdata = opt.$selected.data('contextMenu') || {};\r\n if (itemdata.$menu && opt.$selected.hasClass('context-menu-submenu')) {\r\n opt.$selected = null;\r\n itemdata.$selected = null;\r\n itemdata.$menu.trigger('nextcommand');\r\n return;\r\n }\r\n break;\r\n\r\n case 35: // end\r\n case 36: // home\r\n if (opt.$selected && opt.$selected.find('input, textarea, select').length) {\r\n return;\r\n } else {\r\n (opt.$selected && opt.$selected.parent() || opt.$menu)\r\n .children(':not(.' + opt.classNames.disabled + ', .' + opt.classNames.notSelectable + ')')[e.keyCode === 36 ? 'first' : 'last']()\r\n .trigger('contextmenu:focus');\r\n e.preventDefault();\r\n return;\r\n }\r\n break;\r\n\r\n case 13: // enter\r\n handle.keyStop(e, opt);\r\n if (opt.isInput) {\r\n if (opt.$selected && !opt.$selected.is('textarea, select')) {\r\n e.preventDefault();\r\n return;\r\n }\r\n break;\r\n }\r\n if (typeof opt.$selected !== 'undefined' && opt.$selected !== null) {\r\n opt.$selected.trigger('mouseup');\r\n }\r\n return;\r\n\r\n case 32: // space\r\n case 33: // page up\r\n case 34: // page down\r\n // prevent browser from scrolling down while menu is visible\r\n handle.keyStop(e, opt);\r\n return;\r\n\r\n case 27: // esc\r\n handle.keyStop(e, opt);\r\n if (opt.$menu !== null && typeof opt.$menu !== 'undefined') {\r\n opt.$menu.trigger('contextmenu:hide');\r\n }\r\n return;\r\n\r\n default: // 0-9, a-z\r\n var k = (String.fromCharCode(e.keyCode)).toUpperCase();\r\n if (opt.accesskeys && opt.accesskeys[k]) {\r\n // according to the specs accesskeys must be invoked immediately\r\n opt.accesskeys[k].$node.trigger(opt.accesskeys[k].$menu ? 'contextmenu:focus' : 'mouseup');\r\n return;\r\n }\r\n break;\r\n }\r\n // pass event to selected item,\r\n // stop propagation to avoid endless recursion\r\n e.stopPropagation();\r\n if (typeof opt.$selected !== 'undefined' && opt.$selected !== null) {\r\n opt.$selected.trigger(e);\r\n }\r\n },\r\n // select previous possible command in menu\r\n prevItem: function (e) {\r\n e.stopPropagation();\r\n var opt = $(this).data('contextMenu') || {};\r\n var root = $(this).data('contextMenuRoot') || {};\r\n\r\n // obtain currently selected menu\r\n if (opt.$selected) {\r\n var $s = opt.$selected;\r\n opt = opt.$selected.parent().data('contextMenu') || {};\r\n opt.$selected = $s;\r\n }\r\n\r\n var $children = opt.$menu.children(),\r\n $prev = !opt.$selected || !opt.$selected.prev().length ? $children.last() : opt.$selected.prev(),\r\n $round = $prev;\r\n\r\n // skip disabled or hidden elements\r\n while ($prev.hasClass(root.classNames.disabled) || $prev.hasClass(root.classNames.notSelectable) || $prev.is(':hidden')) {\r\n if ($prev.prev().length) {\r\n $prev = $prev.prev();\r\n } else {\r\n $prev = $children.last();\r\n }\r\n if ($prev.is($round)) {\r\n // break endless loop\r\n return;\r\n }\r\n }\r\n\r\n // leave current\r\n if (opt.$selected) {\r\n handle.itemMouseleave.call(opt.$selected.get(0), e);\r\n }\r\n\r\n // activate next\r\n handle.itemMouseenter.call($prev.get(0), e);\r\n\r\n // focus input\r\n var $input = $prev.find('input, textarea, select');\r\n if ($input.length) {\r\n $input.focus();\r\n }\r\n },\r\n // select next possible command in menu\r\n nextItem: function (e) {\r\n e.stopPropagation();\r\n var opt = $(this).data('contextMenu') || {};\r\n var root = $(this).data('contextMenuRoot') || {};\r\n\r\n // obtain currently selected menu\r\n if (opt.$selected) {\r\n var $s = opt.$selected;\r\n opt = opt.$selected.parent().data('contextMenu') || {};\r\n opt.$selected = $s;\r\n }\r\n\r\n var $children = opt.$menu.children(),\r\n $next = !opt.$selected || !opt.$selected.next().length ? $children.first() : opt.$selected.next(),\r\n $round = $next;\r\n\r\n // skip disabled\r\n while ($next.hasClass(root.classNames.disabled) || $next.hasClass(root.classNames.notSelectable) || $next.is(':hidden')) {\r\n if ($next.next().length) {\r\n $next = $next.next();\r\n } else {\r\n $next = $children.first();\r\n }\r\n if ($next.is($round)) {\r\n // break endless loop\r\n return;\r\n }\r\n }\r\n\r\n // leave current\r\n if (opt.$selected) {\r\n handle.itemMouseleave.call(opt.$selected.get(0), e);\r\n }\r\n\r\n // activate next\r\n handle.itemMouseenter.call($next.get(0), e);\r\n\r\n // focus input\r\n var $input = $next.find('input, textarea, select');\r\n if ($input.length) {\r\n $input.focus();\r\n }\r\n },\r\n // flag that we're inside an input so the key handler can act accordingly\r\n focusInput: function () {\r\n var $this = $(this).closest('.context-menu-item'),\r\n data = $this.data(),\r\n opt = data.contextMenu,\r\n root = data.contextMenuRoot;\r\n\r\n root.$selected = opt.$selected = $this;\r\n root.isInput = opt.isInput = true;\r\n },\r\n // flag that we're inside an input so the key handler can act accordingly\r\n blurInput: function () {\r\n var $this = $(this).closest('.context-menu-item'),\r\n data = $this.data(),\r\n opt = data.contextMenu,\r\n root = data.contextMenuRoot;\r\n\r\n root.isInput = opt.isInput = false;\r\n },\r\n // :hover on menu\r\n menuMouseenter: function () {\r\n var root = $(this).data().contextMenuRoot;\r\n root.hovering = true;\r\n },\r\n // :hover on menu\r\n menuMouseleave: function (e) {\r\n var root = $(this).data().contextMenuRoot;\r\n if (root.$layer && root.$layer.is(e.relatedTarget)) {\r\n root.hovering = false;\r\n }\r\n },\r\n // :hover done manually so key handling is possible\r\n itemMouseenter: function (e) {\r\n var $this = $(this),\r\n data = $this.data(),\r\n opt = data.contextMenu,\r\n root = data.contextMenuRoot;\r\n\r\n root.hovering = true;\r\n\r\n // abort if we're re-entering\r\n if (e && root.$layer && root.$layer.is(e.relatedTarget)) {\r\n e.preventDefault();\r\n e.stopImmediatePropagation();\r\n }\r\n\r\n // make sure only one item is selected\r\n (opt.$menu ? opt : root).$menu\r\n .children('.' + root.classNames.hover).trigger('contextmenu:blur')\r\n .children('.hover').trigger('contextmenu:blur');\r\n\r\n if ($this.hasClass(root.classNames.disabled) || $this.hasClass(root.classNames.notSelectable)) {\r\n opt.$selected = null;\r\n return;\r\n }\r\n\r\n\r\n $this.trigger('contextmenu:focus');\r\n },\r\n // :hover done manually so key handling is possible\r\n itemMouseleave: function (e) {\r\n var $this = $(this),\r\n data = $this.data(),\r\n opt = data.contextMenu,\r\n root = data.contextMenuRoot;\r\n\r\n if (root !== opt && root.$layer && root.$layer.is(e.relatedTarget)) {\r\n if (typeof root.$selected !== 'undefined' && root.$selected !== null) {\r\n root.$selected.trigger('contextmenu:blur');\r\n }\r\n e.preventDefault();\r\n e.stopImmediatePropagation();\r\n root.$selected = opt.$selected = opt.$node;\r\n return;\r\n }\r\n\r\n if(opt && opt.$menu && opt.$menu.hasClass('context-menu-visible')){\r\n return;\r\n }\r\n\r\n $this.trigger('contextmenu:blur');\r\n },\r\n // contextMenu item click\r\n itemClick: function (e) {\r\n var $this = $(this),\r\n data = $this.data(),\r\n opt = data.contextMenu,\r\n root = data.contextMenuRoot,\r\n key = data.contextMenuKey,\r\n callback;\r\n\r\n // abort if the key is unknown or disabled or is a menu\r\n if (!opt.items[key] || $this.is('.' + root.classNames.disabled + ', .context-menu-separator, .' + root.classNames.notSelectable) || ($this.is('.context-menu-submenu') && root.selectableSubMenu === false )) {\r\n return;\r\n }\r\n\r\n e.preventDefault();\r\n e.stopImmediatePropagation();\r\n\r\n if ($.isFunction(opt.callbacks[key]) && Object.prototype.hasOwnProperty.call(opt.callbacks, key)) {\r\n // item-specific callback\r\n callback = opt.callbacks[key];\r\n } else if ($.isFunction(root.callback)) {\r\n // default callback\r\n callback = root.callback;\r\n } else {\r\n // no callback, no action\r\n return;\r\n }\r\n\r\n // hide menu if callback doesn't stop that\r\n if (callback.call(root.$trigger, key, root, e) !== false) {\r\n root.$menu.trigger('contextmenu:hide');\r\n } else if (root.$menu.parent().length) {\r\n op.update.call(root.$trigger, root);\r\n }\r\n },\r\n // ignore click events on input elements\r\n inputClick: function (e) {\r\n e.stopImmediatePropagation();\r\n },\r\n // hide <menu>\r\n hideMenu: function (e, data) {\r\n var root = $(this).data('contextMenuRoot');\r\n op.hide.call(root.$trigger, root, data && data.force);\r\n },\r\n // focus <command>\r\n focusItem: function (e) {\r\n e.stopPropagation();\r\n var $this = $(this),\r\n data = $this.data(),\r\n opt = data.contextMenu,\r\n root = data.contextMenuRoot;\r\n\r\n if ($this.hasClass(root.classNames.disabled) || $this.hasClass(root.classNames.notSelectable)) {\r\n return;\r\n }\r\n\r\n $this\r\n .addClass([root.classNames.hover, root.classNames.visible].join(' '))\r\n // select other items and included items\r\n .parent().find('.context-menu-item').not($this)\r\n .removeClass(root.classNames.visible)\r\n .filter('.' + root.classNames.hover)\r\n .trigger('contextmenu:blur');\r\n\r\n // remember selected\r\n opt.$selected = root.$selected = $this;\r\n\r\n\r\n if(opt && opt.$node && opt.$node.hasClass('context-menu-submenu')){\r\n opt.$node.addClass(root.classNames.hover);\r\n }\r\n\r\n // position sub-menu - do after show so dumb $.ui.position can keep up\r\n if (opt.$node) {\r\n root.positionSubmenu.call(opt.$node, opt.$menu);\r\n }\r\n },\r\n // blur <command>\r\n blurItem: function (e) {\r\n e.stopPropagation();\r\n var $this = $(this),\r\n data = $this.data(),\r\n opt = data.contextMenu,\r\n root = data.contextMenuRoot;\r\n\r\n if (opt.autoHide) { // for tablets and touch screens this needs to remain\r\n $this.removeClass(root.classNames.visible);\r\n }\r\n $this.removeClass(root.classNames.hover);\r\n opt.$selected = null;\r\n }\r\n },\r\n // operations\r\n op = {\r\n show: function (opt, x, y) {\r\n var $trigger = $(this),\r\n css = {};\r\n\r\n // hide any open menus\r\n $('#context-menu-layer').trigger('mousedown');\r\n\r\n // backreference for callbacks\r\n opt.$trigger = $trigger;\r\n\r\n // show event\r\n if (opt.events.show.call($trigger, opt) === false) {\r\n $currentTrigger = null;\r\n return;\r\n }\r\n\r\n // create or update context menu\r\n var hasVisibleItems = op.update.call($trigger, opt);\r\n if (hasVisibleItems === false) {\r\n $currentTrigger = null;\r\n return;\r\n }\r\n\r\n // position menu\r\n opt.position.call($trigger, opt, x, y);\r\n\r\n // make sure we're in front\r\n if (opt.zIndex) {\r\n var additionalZValue = opt.zIndex;\r\n // If opt.zIndex is a function, call the function to get the right zIndex.\r\n if (typeof opt.zIndex === 'function') {\r\n additionalZValue = opt.zIndex.call($trigger, opt);\r\n }\r\n css.zIndex = zindex($trigger) + additionalZValue;\r\n }\r\n\r\n // add layer\r\n op.layer.call(opt.$menu, opt, css.zIndex);\r\n\r\n // adjust sub-menu zIndexes\r\n opt.$menu.find('ul').css('zIndex', css.zIndex + 1);\r\n\r\n // position and show context menu\r\n opt.$menu.css(css)[opt.animation.show](opt.animation.duration, function () {\r\n $trigger.trigger('contextmenu:visible');\r\n\r\n op.activated(opt);\r\n opt.events.activated(opt);\r\n });\r\n // make options available and set state\r\n $trigger\r\n .data('contextMenu', opt)\r\n .addClass('context-menu-active');\r\n\r\n // register key handler\r\n $(document).off('keydown.contextMenu').on('keydown.contextMenu', handle.key);\r\n // register autoHide handler\r\n if (opt.autoHide) {\r\n // mouse position handler\r\n $(document).on('mousemove.contextMenuAutoHide', function (e) {\r\n // need to capture the offset on mousemove,\r\n // since the page might've been scrolled since activation\r\n var pos = $trigger.offset();\r\n pos.right = pos.left + $trigger.outerWidth();\r\n pos.bottom = pos.top + $trigger.outerHeight();\r\n\r\n if (opt.$layer && !opt.hovering && (!(e.pageX >= pos.left && e.pageX <= pos.right) || !(e.pageY >= pos.top && e.pageY <= pos.bottom))) {\r\n /* Additional hover check after short time, you might just miss the edge of the menu */\r\n setTimeout(function () {\r\n if (!opt.hovering && opt.$menu !== null && typeof opt.$menu !== 'undefined') {\r\n opt.$menu.trigger('contextmenu:hide');\r\n }\r\n }, 50);\r\n }\r\n });\r\n }\r\n },\r\n hide: function (opt, force) {\r\n var $trigger = $(this);\r\n if (!opt) {\r\n opt = $trigger.data('contextMenu') || {};\r\n }\r\n\r\n // hide event\r\n if (!force && opt.events && opt.events.hide.call($trigger, opt) === false) {\r\n return;\r\n }\r\n\r\n // remove options and revert state\r\n $trigger\r\n .removeData('contextMenu')\r\n .removeClass('context-menu-active');\r\n\r\n if (opt.$layer) {\r\n // keep layer for a bit so the contextmenu event can be aborted properly by opera\r\n setTimeout((function ($layer) {\r\n return function () {\r\n $layer.remove();\r\n };\r\n })(opt.$layer), 10);\r\n\r\n try {\r\n delete opt.$layer;\r\n } catch (e) {\r\n opt.$layer = null;\r\n }\r\n }\r\n\r\n // remove handle\r\n $currentTrigger = null;\r\n // remove selected\r\n opt.$menu.find('.' + opt.classNames.hover).trigger('contextmenu:blur');\r\n opt.$selected = null;\r\n // collapse all submenus\r\n opt.$menu.find('.' + opt.classNames.visible).removeClass(opt.classNames.visible);\r\n // unregister key and mouse handlers\r\n // $(document).off('.contextMenuAutoHide keydown.contextMenu'); // http://bugs.jquery.com/ticket/10705\r\n $(document).off('.contextMenuAutoHide').off('keydown.contextMenu');\r\n // hide menu\r\n if (opt.$menu) {\r\n opt.$menu[opt.animation.hide](opt.animation.duration, function () {\r\n // tear down dynamically built menu after animation is completed.\r\n if (opt.build) {\r\n opt.$menu.remove();\r\n $.each(opt, function (key) {\r\n switch (key) {\r\n case 'ns':\r\n case 'selector':\r\n case 'build':\r\n case 'trigger':\r\n return true;\r\n\r\n default:\r\n opt[key] = undefined;\r\n try {\r\n delete opt[key];\r\n } catch (e) {\r\n }\r\n return true;\r\n }\r\n });\r\n }\r\n\r\n setTimeout(function () {\r\n $trigger.trigger('contextmenu:hidden');\r\n }, 10);\r\n });\r\n }\r\n },\r\n create: function (opt, root) {\r\n if (typeof root === 'undefined') {\r\n root = opt;\r\n }\r\n\r\n // create contextMenu\r\n opt.$menu = $('<ul class=\"context-menu-list\"></ul>').addClass(opt.className || '').data({\r\n 'contextMenu': opt,\r\n 'contextMenuRoot': root\r\n });\r\n\r\n $.each(['callbacks', 'commands', 'inputs'], function (i, k) {\r\n opt[k] = {};\r\n if (!root[k]) {\r\n root[k] = {};\r\n }\r\n });\r\n\r\n if (!root.accesskeys) {\r\n root.accesskeys = {};\r\n }\r\n\r\n function createNameNode(item) {\r\n var $name = $('<span></span>');\r\n if (item._accesskey) {\r\n if (item._beforeAccesskey) {\r\n $name.append(document.createTextNode(item._beforeAccesskey));\r\n }\r\n $('<span></span>')\r\n .addClass('context-menu-accesskey')\r\n .text(item._accesskey)\r\n .appendTo($name);\r\n if (item._afterAccesskey) {\r\n $name.append(document.createTextNode(item._afterAccesskey));\r\n }\r\n } else {\r\n if (item.isHtmlName) {\r\n // restrict use with access keys\r\n if (typeof item.accesskey !== 'undefined') {\r\n throw new Error('accesskeys are not compatible with HTML names and cannot be used together in the same item');\r\n }\r\n $name.html(item.name);\r\n } else {\r\n $name.text(item.name);\r\n }\r\n }\r\n return $name;\r\n }\r\n\r\n // create contextMenu items\r\n $.each(opt.items, function (key, item) {\r\n var $t = $('<li class=\"context-menu-item\"></li>').addClass(item.className || ''),\r\n $label = null,\r\n $input = null;\r\n\r\n // iOS needs to see a click-event bound to an element to actually\r\n // have the TouchEvents infrastructure trigger the click event\r\n $t.on('click', $.noop);\r\n\r\n // Make old school string seperator a real item so checks wont be\r\n // akward later.\r\n // And normalize 'cm_separator' into 'cm_seperator'.\r\n if (typeof item === 'string' || item.type === 'cm_separator') {\r\n item = {type: 'cm_seperator'};\r\n }\r\n\r\n item.$node = $t.data({\r\n 'contextMenu': opt,\r\n 'contextMenuRoot': root,\r\n 'contextMenuKey': key\r\n });\r\n\r\n // register accesskey\r\n // NOTE: the accesskey attribute should be applicable to any element, but Safari5 and Chrome13 still can't do that\r\n if (typeof item.accesskey !== 'undefined') {\r\n var aks = splitAccesskey(item.accesskey);\r\n for (var i = 0, ak; ak = aks[i]; i++) {\r\n if (!root.accesskeys[ak]) {\r\n root.accesskeys[ak] = item;\r\n var matched = item.name.match(new RegExp('^(.*?)(' + ak + ')(.*)$', 'i'));\r\n if (matched) {\r\n item._beforeAccesskey = matched[1];\r\n item._accesskey = matched[2];\r\n item._afterAccesskey = matched[3];\r\n }\r\n break;\r\n }\r\n }\r\n }\r\n\r\n if (item.type && types[item.type]) {\r\n // run custom type handler\r\n types[item.type].call($t, item, opt, root);\r\n // register commands\r\n $.each([opt, root], function (i, k) {\r\n k.commands[key] = item;\r\n // Overwrite only if undefined or the item is appended to the root. This so it\r\n // doesn't overwrite callbacks of root elements if the name is the same.\r\n if ($.isFunction(item.callback) && (typeof k.callbacks[key] === 'undefined' || typeof opt.type === 'undefined')) {\r\n k.callbacks[key] = item.callback;\r\n }\r\n });\r\n } else {\r\n // add label for input\r\n if (item.type === 'cm_seperator') {\r\n $t.addClass('context-menu-separator ' + root.classNames.notSelectable);\r\n } else if (item.type === 'html') {\r\n $t.addClass('context-menu-html ' + root.classNames.notSelectable);\r\n } else if (item.type !== 'sub' && item.type) {\r\n $label = $('<label></label>').appendTo($t);\r\n createNameNode(item).appendTo($label);\r\n\r\n $t.addClass('context-menu-input');\r\n opt.hasTypes = true;\r\n $.each([opt, root], function (i, k) {\r\n k.commands[key] = item;\r\n k.inputs[key] = item;\r\n });\r\n } else if (item.items) {\r\n item.type = 'sub';\r\n }\r\n\r\n switch (item.type) {\r\n case 'cm_seperator':\r\n break;\r\n\r\n case 'text':\r\n $input = $('<input type=\"text\" value=\"1\" name=\"\" />')\r\n .attr('name', 'context-menu-input-' + key)\r\n .val(item.value || '')\r\n .appendTo($label);\r\n break;\r\n\r\n case 'textarea':\r\n $input = $('<textarea name=\"\"></textarea>')\r\n .attr('name', 'context-menu-input-' + key)\r\n .val(item.value || '')\r\n .appendTo($label);\r\n\r\n if (item.height) {\r\n $input.height(item.height);\r\n }\r\n break;\r\n\r\n case 'checkbox':\r\n $input = $('<input type=\"checkbox\" value=\"1\" name=\"\" />')\r\n .attr('name', 'context-menu-input-' + key)\r\n .val(item.value || '')\r\n .prop('checked', !!item.selected)\r\n .prependTo($label);\r\n break;\r\n\r\n case 'radio':\r\n $input = $('<input type=\"radio\" value=\"1\" name=\"\" />')\r\n .attr('name', 'context-menu-input-' + item.radio)\r\n .val(item.value || '')\r\n .prop('checked', !!item.selected)\r\n .prependTo($label);\r\n break;\r\n\r\n case 'select':\r\n $input = $('<select name=\"\"></select>')\r\n .attr('name', 'context-menu-input-' + key)\r\n .appendTo($label);\r\n if (item.options) {\r\n $.each(item.options, function (value, text) {\r\n $('<option></option>').val(value).text(text).appendTo($input);\r\n });\r\n $input.val(item.selected);\r\n }\r\n break;\r\n\r\n case 'sub':\r\n createNameNode(item).appendTo($t);\r\n item.appendTo = item.$node;\r\n $t.data('contextMenu', item).addClass('context-menu-submenu');\r\n item.callback = null;\r\n\r\n // If item contains items, and this is a promise, we should create it later\r\n // check if subitems is of type promise. If it is a promise we need to create\r\n // it later, after promise has been resolved.\r\n if ('function' === typeof item.items.then) {\r\n // probably a promise, process it, when completed it will create the sub menu's.\r\n op.processPromises(item, root, item.items);\r\n } else {\r\n // normal submenu.\r\n op.create(item, root);\r\n }\r\n break;\r\n\r\n case 'html':\r\n $(item.html).appendTo($t);\r\n break;\r\n\r\n default:\r\n $.each([opt, root], function (i, k) {\r\n k.commands[key] = item;\r\n // Overwrite only if undefined or the item is appended to the root. This so it\r\n // doesn't overwrite callbacks of root elements if the name is the same.\r\n if ($.isFunction(item.callback) && (typeof k.callbacks[key] === 'undefined' || typeof opt.type === 'undefined')) {\r\n k.callbacks[key] = item.callback;\r\n }\r\n });\r\n createNameNode(item).appendTo($t);\r\n break;\r\n }\r\n\r\n // disable key listener in <input>\r\n if (item.type && item.type !== 'sub' && item.type !== 'html' && item.type !== 'cm_seperator') {\r\n $input\r\n .on('focus', handle.focusInput)\r\n .on('blur', handle.blurInput);\r\n\r\n if (item.events) {\r\n $input.on(item.events, opt);\r\n }\r\n }\r\n\r\n // add icons\r\n if (item.icon) {\r\n if ($.isFunction(item.icon)) {\r\n item._icon = item.icon.call(this, this, $t, key, item);\r\n } else {\r\n if (typeof(item.icon) === 'string' && (\r\n item.icon.substring(0, 4) === 'fab '\r\n || item.icon.substring(0, 4) === 'fas '\r\n || item.icon.substring(0, 4) === 'far '\r\n || item.icon.substring(0, 4) === 'fal ')\r\n ) {\r\n // to enable font awesome\r\n $t.addClass(root.classNames.icon + ' ' + root.classNames.icon + '--fa5');\r\n item._icon = $('<i class=\"' + item.icon + '\"></i>');\r\n } else if (typeof(item.icon) === 'string' && item.icon.substring(0, 3) === 'fa-') {\r\n item._icon = root.classNames.icon + ' ' + root.classNames.icon + '--fa fa ' + item.icon;\r\n } else {\r\n item._icon = root.classNames.icon + ' ' + root.classNames.icon + '-' + item.icon;\r\n }\r\n }\r\n\r\n if(typeof(item._icon) === \"string\"){\r\n $t.addClass(item._icon);\r\n } else {\r\n $t.prepend(item._icon);\r\n }\r\n }\r\n }\r\n\r\n // cache contained elements\r\n item.$input = $input;\r\n item.$label = $label;\r\n\r\n // attach item to menu\r\n $t.appendTo(opt.$menu);\r\n\r\n // Disable text selection\r\n if (!opt.hasTypes && $.support.eventSelectstart) {\r\n // browsers support user-select: none,\r\n // IE has a special event for text-selection\r\n // browsers supporting neither will not be preventing text-selection\r\n $t.on('selectstart.disableTextSelect', handle.abortevent);\r\n }\r\n });\r\n // attach contextMenu to <body> (to bypass any possible overflow:hidden issues on parents of the trigger element)\r\n if (!opt.$node) {\r\n opt.$menu.css('display', 'none').addClass('context-menu-root');\r\n }\r\n opt.$menu.appendTo(opt.appendTo || document.body);\r\n },\r\n resize: function ($menu, nested) {\r\n var domMenu;\r\n // determine widths of submenus, as CSS won't grow them automatically\r\n // position:absolute within position:absolute; min-width:100; max-width:200; results in width: 100;\r\n // kinda sucks hard...\r\n\r\n // determine width of absolutely positioned element\r\n $menu.css({position: 'absolute', display: 'block'});\r\n // don't apply yet, because that would break nested elements' widths\r\n $menu.data('width',\r\n (domMenu = $menu.get(0)).getBoundingClientRect ?\r\n Math.ceil(domMenu.getBoundingClientRect().width) :\r\n $menu.outerWidth() + 1); // outerWidth() returns rounded pixels\r\n // reset styles so they allow nested elements to grow/shrink naturally\r\n $menu.css({\r\n position: 'static',\r\n minWidth: '0px',\r\n maxWidth: '100000px'\r\n });\r\n // identify width of nested menus\r\n $menu.find('> li > ul').each(function () {\r\n op.resize($(this), true);\r\n });\r\n // reset and apply changes in the end because nested\r\n // elements' widths wouldn't be calculatable otherwise\r\n if (!nested) {\r\n $menu.find('ul').addBack().css({\r\n position: '',\r\n display: '',\r\n minWidth: '',\r\n maxWidth: ''\r\n }).outerWidth(function () {\r\n return $(this).data('width');\r\n });\r\n }\r\n },\r\n update: function (opt, root) {\r\n var $trigger = this;\r\n if (typeof root === 'undefined') {\r\n root = opt;\r\n op.resize(opt.$menu);\r\n }\r\n\r\n var hasVisibleItems = false;\r\n\r\n // re-check disabled for each item\r\n opt.$menu.children().each(function () {\r\n var $item = $(this),\r\n key = $item.data('contextMenuKey'),\r\n item = opt.items[key],\r\n disabled = ($.isFunction(item.disabled) && item.disabled.call($trigger, key, root)) || item.disabled === true,\r\n visible;\r\n if ($.isFunction(item.visible)) {\r\n visible = item.visible.call($trigger, key, root);\r\n } else if (typeof item.visible !== 'undefined') {\r\n visible = item.visible === true;\r\n } else {\r\n visible = true;\r\n }\r\n\r\n if (visible) {\r\n hasVisibleItems = true;\r\n }\r\n\r\n $item[visible ? 'show' : 'hide']();\r\n\r\n // dis- / enable item\r\n $item[disabled ? 'addClass' : 'removeClass'](root.classNames.disabled);\r\n\r\n if ($.isFunction(item.icon)) {\r\n $item.removeClass(item._icon);\r\n var iconResult = item.icon.call(this, $trigger, $item, key, item);\r\n if(typeof(iconResult) === \"string\"){\r\n $item.addClass(iconResult);\r\n } else {\r\n $item.prepend(iconResult);\r\n }\r\n }\r\n\r\n if (item.type) {\r\n // dis- / enable input elements\r\n $item.find('input, select, textarea').prop('disabled', disabled);\r\n\r\n // update input states\r\n switch (item.type) {\r\n case 'text':\r\n case 'textarea':\r\n item.$input.val(item.value || '');\r\n break;\r\n\r\n case 'checkbox':\r\n case 'radio':\r\n item.$input.val(item.value || '').prop('checked', !!item.selected);\r\n break;\r\n\r\n case 'select':\r\n item.$input.val((item.selected === 0 ? \"0\" : item.selected) || '');\r\n break;\r\n }\r\n }\r\n\r\n if (item.$menu) {\r\n // update sub-menu\r\n var subMenuHasVisibleItems = op.update.call($trigger, item, root);\r\n if (subMenuHasVisibleItems) {\r\n hasVisibleItems = true;\r\n }\r\n }\r\n });\r\n return hasVisibleItems;\r\n },\r\n layer: function (opt, zIndex) {\r\n // add transparent layer for click area\r\n // filter and background for Internet Explorer, Issue #23\r\n var $layer = opt.$layer = $('<div id=\"context-menu-layer\"></div>')\r\n .css({\r\n height: $win.height(),\r\n width: $win.width(),\r\n display: 'block',\r\n position: 'fixed',\r\n 'z-index': zIndex,\r\n top: 0,\r\n left: 0,\r\n opacity: 0,\r\n filter: 'alpha(opacity=0)',\r\n 'background-color': '#000'\r\n })\r\n .data('contextMenuRoot', opt)\r\n .insertBefore(this)\r\n .on('contextmenu', handle.abortevent)\r\n .on('mousedown', handle.layerClick);\r\n\r\n // IE6 doesn't know position:fixed;\r\n if (typeof document.body.style.maxWidth === 'undefined') { // IE6 doesn't support maxWidth\r\n $layer.css({\r\n 'position': 'absolute',\r\n 'height': $(document).height()\r\n });\r\n }\r\n\r\n return $layer;\r\n },\r\n processPromises: function (opt, root, promise) {\r\n // Start\r\n opt.$node.addClass(root.classNames.iconLoadingClass);\r\n\r\n function completedPromise(opt, root, items) {\r\n // Completed promise (dev called promise.resolve). We now have a list of items which can\r\n // be used to create the rest of the context menu.\r\n if (typeof items === 'undefined') {\r\n // Null result, dev should have checked\r\n errorPromise(undefined);//own error object\r\n }\r\n finishPromiseProcess(opt, root, items);\r\n }\r\n\r\n function errorPromise(opt, root, errorItem) {\r\n // User called promise.reject() with an error item, if not, provide own error item.\r\n if (typeof errorItem === 'undefined') {\r\n errorItem = {\r\n \"error\": {\r\n name: \"No items and no error item\",\r\n icon: \"context-menu-icon context-menu-icon-quit\"\r\n }\r\n };\r\n if (window.console) {\r\n (console.error || console.log).call(console, 'When you reject a promise, provide an \"items\" object, equal to normal sub-menu items');\r\n }\r\n } else if (typeof errorItem === 'string') {\r\n errorItem = {\"error\": {name: errorItem}};\r\n }\r\n finishPromiseProcess(opt, root, errorItem);\r\n }\r\n\r\n function finishPromiseProcess(opt, root, items) {\r\n if (typeof root.$menu === 'undefined' || !root.$menu.is(':visible')) {\r\n return;\r\n }\r\n opt.$node.removeClass(root.classNames.iconLoadingClass);\r\n opt.items = items;\r\n op.create(opt, root, true); // Create submenu\r\n op.update(opt, root); // Correctly update position if user is already hovered over menu item\r\n root.positionSubmenu.call(opt.$node, opt.$menu); // positionSubmenu, will only do anything if user already hovered over menu item that just got new subitems.\r\n }\r\n\r\n // Wait for promise completion. .then(success, error, notify) (we don't track notify). Bind the opt\r\n // and root to avoid scope problems\r\n promise.then(completedPromise.bind(this, opt, root), errorPromise.bind(this, opt, root));\r\n },\r\n // operation that will run after contextMenu showed on screen\r\n activated: function(opt){\r\n var $menu = opt.$menu;\r\n var $menuOffset = $menu.offset();\r\n var winHeight = $(window).height();\r\n var winScrollTop = $(window).scrollTop();\r\n var menuHeight = $menu.height();\r\n if(menuHeight > winHeight){\r\n $menu.css({\r\n 'height' : winHeight + 'px',\r\n 'overflow-x': 'hidden',\r\n 'overflow-y': 'auto',\r\n 'top': winScrollTop + 'px'\r\n });\r\n } else if(($menuOffset.top < winScrollTop) || ($menuOffset.top + menuHeight > winScrollTop + winHeight)){\r\n $menu.css({\r\n 'top': winScrollTop + 'px'\r\n });\r\n }\r\n }\r\n };\r\n\r\n // split accesskey according to http://www.whatwg.org/specs/web-apps/current-work/multipage/editing.html#assigned-access-key\r\n function splitAccesskey(val) {\r\n var t = val.split(/\\s+/);\r\n var keys = [];\r\n\r\n for (var i = 0, k; k = t[i]; i++) {\r\n k = k.charAt(0).toUpperCase(); // first character only\r\n // theoretically non-accessible characters should be ignored, but different systems, different keyboard layouts, ... screw it.\r\n // a map to look up already used access keys would be nice\r\n keys.push(k);\r\n }\r\n\r\n return keys;\r\n }\r\n\r\n// handle contextMenu triggers\r\n $.fn.contextMenu = function (operation) {\r\n var $t = this, $o = operation;\r\n if (this.length > 0) { // this is not a build on demand menu\r\n if (typeof operation === 'undefined') {\r\n this.first().trigger('contextmenu');\r\n } else if (typeof operation.x !== 'undefined' && typeof operation.y !== 'undefined') {\r\n this.first().trigger($.Event('contextmenu', {\r\n pageX: operation.x,\r\n pageY: operation.y,\r\n mouseButton: operation.button\r\n }));\r\n } else if (operation === 'hide') {\r\n var $menu = this.first().data('contextMenu') ? this.first().data('contextMenu').$menu : null;\r\n if ($menu) {\r\n $menu.trigger('contextmenu:hide');\r\n }\r\n } else if (operation === 'destroy') {\r\n $.contextMenu('destroy', {context: this});\r\n } else if ($.isPlainObject(operation)) {\r\n operation.context = this;\r\n $.contextMenu('create', operation);\r\n } else if (operation) {\r\n this.removeClass('context-menu-disabled');\r\n } else if (!operation) {\r\n this.addClass('context-menu-disabled');\r\n }\r\n } else {\r\n $.each(menus, function () {\r\n if (this.selector === $t.selector) {\r\n $o.data = this;\r\n\r\n $.extend($o.data, {trigger: 'demand'});\r\n }\r\n });\r\n\r\n handle.contextmenu.call($o.target, $o);\r\n }\r\n\r\n return this;\r\n };\r\n\r\n // manage contextMenu instances\r\n $.contextMenu = function (operation, options) {\r\n if (typeof operation !== 'string') {\r\n options = operation;\r\n operation = 'create';\r\n }\r\n\r\n if (typeof options === 'string') {\r\n options = {selector: options};\r\n } else if (typeof options === 'undefined') {\r\n options = {};\r\n }\r\n\r\n // merge with default options\r\n var o = $.extend(true, {}, defaults, options || {});\r\n var $document = $(document);\r\n var $context = $document;\r\n var _hasContext = false;\r\n\r\n if (!o.context || !o.context.length) {\r\n o.context = document;\r\n } else {\r\n // you never know what they throw at you...\r\n $context = $(o.context).first();\r\n o.context = $context.get(0);\r\n _hasContext = !$(o.context).is(document);\r\n }\r\n\r\n switch (operation) {\r\n\r\n case 'update':\r\n // Updates visibility and such\r\n if(_hasContext){\r\n op.update($context);\r\n } else {\r\n for(var menu in menus){\r\n if(menus.hasOwnProperty(menu)){\r\n op.update(menus[menu]);\r\n }\r\n }\r\n }\r\n break;\r\n\r\n case 'create':\r\n // no selector no joy\r\n if (!o.selector) {\r\n throw new Error('No selector specified');\r\n }\r\n // make sure internal classes are not bound to\r\n if (o.selector.match(/.context-menu-(list|item|input)($|\\s)/)) {\r\n throw new Error('Cannot bind to selector \"' + o.selector + '\" as it contains a reserved className');\r\n }\r\n if (!o.build && (!o.items || $.isEmptyObject(o.items))) {\r\n throw new Error('No Items specified');\r\n }\r\n counter++;\r\n o.ns = '.contextMenu' + counter;\r\n if (!_hasContext) {\r\n namespaces[o.selector] = o.ns;\r\n }\r\n menus[o.ns] = o;\r\n\r\n // default to right click\r\n if (!o.trigger) {\r\n o.trigger = 'right';\r\n }\r\n\r\n if (!initialized) {\r\n var itemClick = o.itemClickEvent === 'click' ? 'click.contextMenu' : 'mouseup.contextMenu';\r\n var contextMenuItemObj = {\r\n // 'mouseup.contextMenu': handle.itemClick,\r\n // 'click.contextMenu': handle.itemClick,\r\n 'contextmenu:focus.contextMenu': handle.focusItem,\r\n 'contextmenu:blur.contextMenu': handle.blurItem,\r\n 'contextmenu.contextMenu': handle.abortevent,\r\n 'mouseenter.contextMenu': handle.itemMouseenter,\r\n 'mouseleave.contextMenu': handle.itemMouseleave\r\n };\r\n contextMenuItemObj[itemClick] = handle.itemClick;\r\n // make sure item click is registered first\r\n $document\r\n .on({\r\n 'contextmenu:hide.contextMenu': handle.hideMenu,\r\n 'prevcommand.contextMenu': handle.prevItem,\r\n 'nextcommand.contextMenu': handle.nextItem,\r\n 'contextmenu.contextMenu': handle.abortevent,\r\n 'mouseenter.contextMenu': handle.menuMouseenter,\r\n 'mouseleave.contextMenu': handle.menuMouseleave\r\n }, '.context-menu-list')\r\n .on('mouseup.contextMenu', '.context-menu-input', handle.inputClick)\r\n .on(contextMenuItemObj, '.context-menu-item');\r\n\r\n initialized = true;\r\n }\r\n\r\n // engage native contextmenu event\r\n $context\r\n .on('contextmenu' + o.ns, o.selector, o, handle.contextmenu);\r\n\r\n if (_hasContext) {\r\n // add remove hook, just in case\r\n $context.on('remove' + o.ns, function () {\r\n $(this).contextMenu('destroy');\r\n });\r\n }\r\n\r\n switch (o.trigger) {\r\n case 'hover':\r\n $context\r\n .on('mouseenter' + o.ns, o.selector, o, handle.mouseenter)\r\n .on('mouseleave' + o.ns, o.selector, o, handle.mouseleave);\r\n break;\r\n\r\n case 'left':\r\n $context.on('click' + o.ns, o.selector, o, handle.click);\r\n break;\r\n\t\t\t\t case 'touchstart':\r\n $context.on('touchstart' + o.ns, o.selector, o, handle.click);\r\n break;\r\n /*\r\n default:\r\n // http://www.quirksmode.org/dom/events/contextmenu.html\r\n $document\r\n .on('mousedown' + o.ns, o.selector, o, handle.mousedown)\r\n .on('mouseup' + o.ns, o.selector, o, handle.mouseup);\r\n break;\r\n */\r\n }\r\n\r\n // create menu\r\n if (!o.build) {\r\n op.create(o);\r\n }\r\n break;\r\n\r\n case 'destroy':\r\n var $visibleMenu;\r\n if (_hasContext) {\r\n // get proper options\r\n var context = o.context;\r\n $.each(menus, function (ns, o) {\r\n\r\n if (!o) {\r\n return true;\r\n }\r\n\r\n // Is this menu equest to the context called from\r\n if (!$(context).is(o.selector)) {\r\n return true;\r\n }\r\n\r\n $visibleMenu = $('.context-menu-list').filter(':visible');\r\n if ($visibleMenu.length && $visibleMenu.data().contextMenuRoot.$trigger.is($(o.context).find(o.selector))) {\r\n $visibleMenu.trigger('contextmenu:hide', {force: true});\r\n }\r\n\r\n try {\r\n if (menus[o.ns].$menu) {\r\n menus[o.ns].$menu.remove();\r\n }\r\n\r\n delete menus[o.ns];\r\n } catch (e) {\r\n menus[o.ns] = null;\r\n }\r\n\r\n $(o.context).off(o.ns);\r\n\r\n return true;\r\n });\r\n } else if (!o.selector) {\r\n $document.off('.contextMenu .contextMenuAutoHide');\r\n $.each(menus, function (ns, o) {\r\n $(o.context).off(o.ns);\r\n });\r\n\r\n namespaces = {};\r\n menus = {};\r\n counter = 0;\r\n initialized = false;\r\n\r\n $('#context-menu-layer, .context-menu-list').remove();\r\n } else if (namespaces[o.selector]) {\r\n $visibleMenu = $('.context-menu-list').filter(':visible');\r\n if ($visibleMenu.length && $visibleMenu.data().contextMenuRoot.$trigger.is(o.selector)) {\r\n $visibleMenu.trigger('contextmenu:hide', {force: true});\r\n }\r\n\r\n try {\r\n if (menus[namespaces[o.selector]].$menu) {\r\n menus[namespaces[o.selector]].$menu.remove();\r\n }\r\n\r\n delete menus[namespaces[o.selector]];\r\n } catch (e) {\r\n menus[namespaces[o.selector]] = null;\r\n }\r\n\r\n $document.off(namespaces[o.selector]);\r\n }\r\n break;\r\n\r\n case 'html5':\r\n // if <command> and <menuitem> are not handled by the browser,\r\n // or options was a bool true,\r\n // initialize $.contextMenu for them\r\n if ((!$.support.htmlCommand && !$.support.htmlMenuitem) || (typeof options === 'boolean' && options)) {\r\n $('menu[type=\"context\"]').each(function () {\r\n if (this.id) {\r\n $.contextMenu({\r\n selector: '[contextmenu=' + this.id + ']',\r\n items: $.contextMenu.fromMenu(this)\r\n });\r\n }\r\n }).css('display', 'none');\r\n }\r\n break;\r\n\r\n default:\r\n throw new Error('Unknown operation \"' + operation + '\"');\r\n }\r\n\r\n return this;\r\n };\r\n\r\n// import values into <input> commands\r\n $.contextMenu.setInputValues = function (opt, data) {\r\n if (typeof data === 'undefined') {\r\n data = {};\r\n }\r\n\r\n $.each(opt.inputs, function (key, item) {\r\n switch (item.type) {\r\n case 'text':\r\n case 'textarea':\r\n item.value = data[key] || '';\r\n break;\r\n\r\n case 'checkbox':\r\n item.selected = data[key] ? true : false;\r\n break;\r\n\r\n case 'radio':\r\n item.selected = (data[item.radio] || '') === item.value;\r\n break;\r\n\r\n case 'select':\r\n item.selected = data[key] || '';\r\n break;\r\n }\r\n });\r\n };\r\n\r\n// export values from <input> commands\r\n $.contextMenu.getInputValues = function (opt, data) {\r\n if (typeof data === 'undefined') {\r\n data = {};\r\n }\r\n\r\n $.each(opt.inputs, function (key, item) {\r\n switch (item.type) {\r\n case 'text':\r\n case 'textarea':\r\n case 'select':\r\n data[key] = item.$input.val();\r\n break;\r\n\r\n case 'checkbox':\r\n data[key] = item.$input.prop('checked');\r\n break;\r\n\r\n case 'radio':\r\n if (item.$input.prop('checked')) {\r\n data[item.radio] = item.value;\r\n }\r\n break;\r\n }\r\n });\r\n\r\n return data;\r\n };\r\n\r\n// find <label for=\"xyz\">\r\n function inputLabel(node) {\r\n return (node.id && $('label[for=\"' + node.id + '\"]').val()) || node.name;\r\n }\r\n\r\n// convert <menu> to items object\r\n function menuChildren(items, $children, counter) {\r\n if (!counter) {\r\n counter = 0;\r\n }\r\n\r\n $children.each(function () {\r\n var $node = $(this),\r\n node = this,\r\n nodeName = this.nodeName.toLowerCase(),\r\n label,\r\n item;\r\n\r\n // extract <label><input>\r\n if (nodeName === 'label' && $node.find('input, textarea, select').length) {\r\n label = $node.text();\r\n $node = $node.children().first();\r\n node = $node.get(0);\r\n nodeName = node.nodeName.toLowerCase();\r\n }\r\n\r\n /*\r\n * <menu> accepts flow-content as children. that means <embed>, <canvas> and such are valid menu items.\r\n * Not being the sadistic kind, $.contextMenu only accepts:\r\n * <command>, <menuitem>, <hr>, <span>, <p> <input [text, radio, checkbox]>, <textarea>, <select> and of course <menu>.\r\n * Everything else will be imported as an html node, which is not interfaced with contextMenu.\r\n */\r\n\r\n // http://www.whatwg.org/specs/web-apps/current-work/multipage/commands.html#concept-command\r\n switch (nodeName) {\r\n // http://www.whatwg.org/specs/web-apps/current-work/multipage/interactive-elements.html#the-menu-element\r\n case 'menu':\r\n item = {name: $node.attr('label'), items: {}};\r\n counter = menuChildren(item.items, $node.children(), counter);\r\n break;\r\n\r\n // http://www.whatwg.org/specs/web-apps/current-work/multipage/commands.html#using-the-a-element-to-define-a-command\r\n case 'a':\r\n // http://www.whatwg.org/specs/web-apps/current-work/multipage/commands.html#using-the-button-element-to-define-a-command\r\n case 'button':\r\n item = {\r\n name: $node.text(),\r\n disabled: !!$node.attr('disabled'),\r\n callback: (function () {\r\n return function () {\r\n $node.get(0).click();\r\n };\r\n })()\r\n };\r\n break;\r\n\r\n // http://www.whatwg.org/specs/web-apps/current-work/multipage/commands.html#using-the-command-element-to-define-a-command\r\n case 'menuitem':\r\n case 'command':\r\n switch ($node.attr('type')) {\r\n case undefined:\r\n case 'command':\r\n case 'menuitem':\r\n item = {\r\n name: $node.attr('label'),\r\n disabled: !!$node.attr('disabled'),\r\n icon: $node.attr('icon'),\r\n callback: (function () {\r\n return function () {\r\n $node.get(0).click();\r\n };\r\n })()\r\n };\r\n break;\r\n\r\n case 'checkbox':\r\n item = {\r\n type: 'checkbox',\r\n disabled: !!$node.attr('disabled'),\r\n name: $node.attr('label'),\r\n selected: !!$node.attr('checked')\r\n };\r\n break;\r\n case 'radio':\r\n item = {\r\n type: 'radio',\r\n disabled: !!$node.attr('disabled'),\r\n name: $node.attr('label'),\r\n radio: $node.attr('radiogroup'),\r\n value: $node.attr('id'),\r\n selected: !!$node.attr('checked')\r\n };\r\n break;\r\n\r\n default:\r\n item = undefined;\r\n }\r\n break;\r\n\r\n case 'hr':\r\n item = '-------';\r\n break;\r\n\r\n case 'input':\r\n switch ($node.attr('type')) {\r\n case 'text':\r\n item = {\r\n type: 'text',\r\n name: label || inputLabel(node),\r\n disabled: !!$node.attr('disabled'),\r\n value: $node.val()\r\n };\r\n break;\r\n\r\n case 'checkbox':\r\n item = {\r\n type: 'checkbox',\r\n name: label || inputLabel(node),\r\n disabled: !!$node.attr('disabled'),\r\n selected: !!$node.attr('checked')\r\n };\r\n break;\r\n\r\n case 'radio':\r\n item = {\r\n type: 'radio',\r\n name: label || inputLabel(node),\r\n disabled: !!$node.attr('disabled'),\r\n radio: !!$node.attr('name'),\r\n value: $node.val(),\r\n selected: !!$node.attr('checked')\r\n };\r\n break;\r\n\r\n default:\r\n item = undefined;\r\n break;\r\n }\r\n break;\r\n\r\n case 'select':\r\n item = {\r\n type: 'select',\r\n name: label || inputLabel(node),\r\n disabled: !!$node.attr('disabled'),\r\n selected: $node.val(),\r\n options: {}\r\n };\r\n $node.children().each(function () {\r\n item.options[this.value] = $(this).text();\r\n });\r\n break;\r\n\r\n case 'textarea':\r\n item = {\r\n type: 'textarea',\r\n name: label || inputLabel(node),\r\n disabled: !!$node.attr('disabled'),\r\n value: $node.val()\r\n };\r\n break;\r\n\r\n case 'label':\r\n break;\r\n\r\n default:\r\n item = {type: 'html', html: $node.clone(true)};\r\n break;\r\n }\r\n\r\n if (item) {\r\n counter++;\r\n items['key' + counter] = item;\r\n }\r\n });\r\n\r\n return counter;\r\n }\r\n\r\n// convert html5 menu\r\n $.contextMenu.fromMenu = function (element) {\r\n var $this = $(element),\r\n items = {};\r\n\r\n menuChildren(items, $this.children());\r\n\r\n return items;\r\n };\r\n\r\n// make defaults accessible\r\n $.contextMenu.defaults = defaults;\r\n $.contextMenu.types = types;\r\n// export internal functions - undocumented, for hacking only!\r\n $.contextMenu.handle = handle;\r\n $.contextMenu.op = op;\r\n $.contextMenu.menus = menus;\r\n});\r\n"},3120:function(e,t,n){n(3121),n(3122),n(3123),n(3124),n(3125),n(3126),n(3127),n(3128),n(3129),n(3130),n(3131),n(3132)},3121:function(e,t){!function(e){"use strict";e.fn.emulateTransitionEnd=function(t){var n=!1,r=this;e(this).one("bsTransitionEnd",function(){n=!0});return setTimeout(function(){n||e(r).trigger(e.support.transition.end)},t),this},e(function(){e.support.transition=function(){var e=document.createElement("bootstrap"),t={WebkitTransition:"webkitTransitionEnd",MozTransition:"transitionend",OTransition:"oTransitionEnd otransitionend",transition:"transitionend"};for(var n in t)if(void 0!==e.style[n])return{end:t[n]};return!1}(),e.support.transition&&(e.event.special.bsTransitionEnd={bindType:e.support.transition.end,delegateType:e.support.transition.end,handle:function(t){if(e(t.target).is(this))return t.handleObj.handler.apply(this,arguments)}})})}(jQuery)},3122:function(e,t){!function(e){"use strict";var t='[data-dismiss="alert"]',n=function(n){e(n).on("click",t,this.close)};n.VERSION="3.4.1",n.TRANSITION_DURATION=150,n.prototype.close=function(t){var r=e(this),o=r.attr("data-target");o||(o=(o=r.attr("href"))&&o.replace(/.*(?=#[^\s]*$)/,"")),o="#"===o?[]:o;var i=e(document).find(o);function a(){i.detach().trigger("closed.bs.alert").remove()}t&&t.preventDefault(),i.length||(i=r.closest(".alert")),i.trigger(t=e.Event("close.bs.alert")),t.isDefaultPrevented()||(i.removeClass("in"),e.support.transition&&i.hasClass("fade")?i.one("bsTransitionEnd",a).emulateTransitionEnd(n.TRANSITION_DURATION):a())};var r=e.fn.alert;e.fn.alert=function(t){return this.each(function(){var r=e(this),o=r.data("bs.alert");o||r.data("bs.alert",o=new n(this)),"string"==typeof t&&o[t].call(r)})},e.fn.alert.Constructor=n,e.fn.alert.noConflict=function(){return e.fn.alert=r,this},e(document).on("click.bs.alert.data-api",t,n.prototype.close)}(jQuery)},3123:function(e,t){!function(e){"use strict";var t=function(n,r){this.$element=e(n),this.options=e.extend({},t.DEFAULTS,r),this.isLoading=!1};function n(n){return this.each(function(){var r=e(this),o=r.data("bs.button"),i="object"==typeof n&&n;o||r.data("bs.button",o=new t(this,i)),"toggle"==n?o.toggle():n&&o.setState(n)})}t.VERSION="3.4.1",t.DEFAULTS={loadingText:"loading..."},t.prototype.setState=function(t){var n="disabled",r=this.$element,o=r.is("input")?"val":"html",i=r.data();t+="Text",null==i.resetText&&r.data("resetText",r[o]()),setTimeout(e.proxy(function(){r[o](null==i[t]?this.options[t]:i[t]),"loadingText"==t?(this.isLoading=!0,r.addClass(n).attr(n,n).prop(n,!0)):this.isLoading&&(this.isLoading=!1,r.removeClass(n).removeAttr(n).prop(n,!1))},this),0)},t.prototype.toggle=function(){var e=!0,t=this.$element.closest('[data-toggle="buttons"]');if(t.length){var n=this.$element.find("input");"radio"==n.prop("type")?(n.prop("checked")&&(e=!1),t.find(".active").removeClass("active"),this.$element.addClass("active")):"checkbox"==n.prop("type")&&(n.prop("checked")!==this.$element.hasClass("active")&&(e=!1),this.$element.toggleClass("active")),n.prop("checked",this.$element.hasClass("active")),e&&n.trigger("change")}else this.$element.attr("aria-pressed",!this.$element.hasClass("active")),this.$element.toggleClass("active")};var r=e.fn.button;e.fn.button=n,e.fn.button.Constructor=t,e.fn.button.noConflict=function(){return e.fn.button=r,this},e(document).on("click.bs.button.data-api",'[data-toggle^="button"]',function(t){var r=e(t.target).closest(".btn");n.call(r,"toggle"),e(t.target).is('input[type="radio"], input[type="checkbox"]')||(t.preventDefault(),r.is("input,button")?r.trigger("focus"):r.find("input:visible,button:visible").first().trigger("focus"))}).on("focus.bs.button.data-api blur.bs.button.data-api",'[data-toggle^="button"]',function(t){e(t.target).closest(".btn").toggleClass("focus",/^focus(in)?$/.test(t.type))})}(jQuery)},3124:function(e,t){!function(e){"use strict";var t=function(t,n){this.$element=e(t),this.$indicators=this.$element.find(".carousel-indicators"),this.options=n,this.paused=null,this.sliding=null,this.interval=null,this.$active=null,this.$items=null,this.options.keyboard&&this.$element.on("keydown.bs.carousel",e.proxy(this.keydown,this)),"hover"==this.options.pause&&!("ontouchstart"in document.documentElement)&&this.$element.on("mouseenter.bs.carousel",e.proxy(this.pause,this)).on("mouseleave.bs.carousel",e.proxy(this.cycle,this))};function n(n){return this.each(function(){var r=e(this),o=r.data("bs.carousel"),i=e.extend({},t.DEFAULTS,r.data(),"object"==typeof n&&n),a="string"==typeof n?n:i.slide;o||r.data("bs.carousel",o=new t(this,i)),"number"==typeof n?o.to(n):a?o[a]():i.interval&&o.pause().cycle()})}t.VERSION="3.4.1",t.TRANSITION_DURATION=600,t.DEFAULTS={interval:5e3,pause:"hover",wrap:!0,keyboard:!0},t.prototype.keydown=function(e){if(!/input|textarea/i.test(e.target.tagName)){switch(e.which){case 37:this.prev();break;case 39:this.next();break;default:return}e.preventDefault()}},t.prototype.cycle=function(t){return t||(this.paused=!1),this.interval&&clearInterval(this.interval),this.options.interval&&!this.paused&&(this.interval=setInterval(e.proxy(this.next,this),this.options.interval)),this},t.prototype.getItemIndex=function(e){return this.$items=e.parent().children(".item"),this.$items.index(e||this.$active)},t.prototype.getItemForDirection=function(e,t){var n=this.getItemIndex(t);if(("prev"==e&&0===n||"next"==e&&n==this.$items.length-1)&&!this.options.wrap)return t;var r=(n+("prev"==e?-1:1))%this.$items.length;return this.$items.eq(r)},t.prototype.to=function(e){var t=this,n=this.getItemIndex(this.$active=this.$element.find(".item.active"));if(!(e>this.$items.length-1||e<0))return this.sliding?this.$element.one("slid.bs.carousel",function(){t.to(e)}):n==e?this.pause().cycle():this.slide(e>n?"next":"prev",this.$items.eq(e))},t.prototype.pause=function(t){return t||(this.paused=!0),this.$element.find(".next, .prev").length&&e.support.transition&&(this.$element.trigger(e.support.transition.end),this.cycle(!0)),this.interval=clearInterval(this.interval),this},t.prototype.next=function(){if(!this.sliding)return this.slide("next")},t.prototype.prev=function(){if(!this.sliding)return this.slide("prev")},t.prototype.slide=function(n,r){var o=this.$element.find(".item.active"),i=r||this.getItemForDirection(n,o),a=this.interval,s="next"==n?"left":"right",l=this;if(i.hasClass("active"))return this.sliding=!1;var c=i[0],u=e.Event("slide.bs.carousel",{relatedTarget:c,direction:s});if(this.$element.trigger(u),!u.isDefaultPrevented()){if(this.sliding=!0,a&&this.pause(),this.$indicators.length){this.$indicators.find(".active").removeClass("active");var p=e(this.$indicators.children()[this.getItemIndex(i)]);p&&p.addClass("active")}var d=e.Event("slid.bs.carousel",{relatedTarget:c,direction:s});return e.support.transition&&this.$element.hasClass("slide")?(i.addClass(n),"object"==typeof i&&i.length&&i[0].offsetWidth,o.addClass(s),i.addClass(s),o.one("bsTransitionEnd",function(){i.removeClass([n,s].join(" ")).addClass("active"),o.removeClass(["active",s].join(" ")),l.sliding=!1,setTimeout(function(){l.$element.trigger(d)},0)}).emulateTransitionEnd(t.TRANSITION_DURATION)):(o.removeClass("active"),i.addClass("active"),this.sliding=!1,this.$element.trigger(d)),a&&this.cycle(),this}};var r=e.fn.carousel;e.fn.carousel=n,e.fn.carousel.Constructor=t,e.fn.carousel.noConflict=function(){return e.fn.carousel=r,this};var o=function(t){var r=e(this),o=r.attr("href");o&&(o=o.replace(/.*(?=#[^\s]+$)/,""));var i=r.attr("data-target")||o,a=e(document).find(i);if(a.hasClass("carousel")){var s=e.extend({},a.data(),r.data()),l=r.attr("data-slide-to");l&&(s.interval=!1),n.call(a,s),l&&a.data("bs.carousel").to(l),t.preventDefault()}};e(document).on("click.bs.carousel.data-api","[data-slide]",o).on("click.bs.carousel.data-api","[data-slide-to]",o),e(window).on("load",function(){e('[data-ride="carousel"]').each(function(){var t=e(this);n.call(t,t.data())})})}(jQuery)},3125:function(e,t){!function(e){"use strict";var t=function(n,r){this.$element=e(n),this.options=e.extend({},t.DEFAULTS,r),this.$trigger=e('[data-toggle="collapse"][href="#'+n.id+'"],[data-toggle="collapse"][data-target="#'+n.id+'"]'),this.transitioning=null,this.options.parent?this.$parent=this.getParent():this.addAriaAndCollapsedClass(this.$element,this.$trigger),this.options.toggle&&this.toggle()};function n(t){var n,r=t.attr("data-target")||(n=t.attr("href"))&&n.replace(/.*(?=#[^\s]+$)/,"");return e(document).find(r)}function r(n){return this.each(function(){var r=e(this),o=r.data("bs.collapse"),i=e.extend({},t.DEFAULTS,r.data(),"object"==typeof n&&n);!o&&i.toggle&&/show|hide/.test(n)&&(i.toggle=!1),o||r.data("bs.collapse",o=new t(this,i)),"string"==typeof n&&o[n]()})}t.VERSION="3.4.1",t.TRANSITION_DURATION=350,t.DEFAULTS={toggle:!0},t.prototype.dimension=function(){return this.$element.hasClass("width")?"width":"height"},t.prototype.show=function(){if(!this.transitioning&&!this.$element.hasClass("in")){var n,o=this.$parent&&this.$parent.children(".panel").children(".in, .collapsing");if(!(o&&o.length&&(n=o.data("bs.collapse"))&&n.transitioning)){var i=e.Event("show.bs.collapse");if(this.$element.trigger(i),!i.isDefaultPrevented()){o&&o.length&&(r.call(o,"hide"),n||o.data("bs.collapse",null));var a=this.dimension();this.$element.removeClass("collapse").addClass("collapsing")[a](0).attr("aria-expanded",!0),this.$trigger.removeClass("collapsed").attr("aria-expanded",!0),this.transitioning=1;var s=function(){this.$element.removeClass("collapsing").addClass("collapse in")[a](""),this.transitioning=0,this.$element.trigger("shown.bs.collapse")};if(!e.support.transition)return s.call(this);var l=e.camelCase(["scroll",a].join("-"));this.$element.one("bsTransitionEnd",e.proxy(s,this)).emulateTransitionEnd(t.TRANSITION_DURATION)[a](this.$element[0][l])}}}},t.prototype.hide=function(){if(!this.transitioning&&this.$element.hasClass("in")){var n=e.Event("hide.bs.collapse");if(this.$element.trigger(n),!n.isDefaultPrevented()){var r=this.dimension();this.$element[r](this.$element[r]())[0].offsetHeight,this.$element.addClass("collapsing").removeClass("collapse in").attr("aria-expanded",!1),this.$trigger.addClass("collapsed").attr("aria-expanded",!1),this.transitioning=1;var o=function(){this.transitioning=0,this.$element.removeClass("collapsing").addClass("collapse").trigger("hidden.bs.collapse")};if(!e.support.transition)return o.call(this);this.$element[r](0).one("bsTransitionEnd",e.proxy(o,this)).emulateTransitionEnd(t.TRANSITION_DURATION)}}},t.prototype.toggle=function(){this[this.$element.hasClass("in")?"hide":"show"]()},t.prototype.getParent=function(){return e(document).find(this.options.parent).find('[data-toggle="collapse"][data-parent="'+this.options.parent+'"]').each(e.proxy(function(t,r){var o=e(r);this.addAriaAndCollapsedClass(n(o),o)},this)).end()},t.prototype.addAriaAndCollapsedClass=function(e,t){var n=e.hasClass("in");e.attr("aria-expanded",n),t.toggleClass("collapsed",!n).attr("aria-expanded",n)};var o=e.fn.collapse;e.fn.collapse=r,e.fn.collapse.Constructor=t,e.fn.collapse.noConflict=function(){return e.fn.collapse=o,this},e(document).on("click.bs.collapse.data-api",'[data-toggle="collapse"]',function(t){var o=e(this);o.attr("data-target")||t.preventDefault();var i=n(o),a=i.data("bs.collapse")?"toggle":o.data();r.call(i,a)})}(jQuery)},3126:function(e,t){!function(e){"use strict";var t=".dropdown-backdrop",n='[data-toggle="dropdown"]',r=function(t){e(t).on("click.bs.dropdown",this.toggle)};function o(t){var n=t.attr("data-target");n||(n=(n=t.attr("href"))&&/#[A-Za-z]/.test(n)&&n.replace(/.*(?=#[^\s]*$)/,""));var r="#"!==n?e(document).find(n):null;return r&&r.length?r:t.parent()}function i(r){r&&3===r.which||(e(t).remove(),e(n).each(function(){var t=e(this),n=o(t),i={relatedTarget:this};n.hasClass("open")&&(r&&"click"==r.type&&/input|textarea/i.test(r.target.tagName)&&e.contains(n[0],r.target)||(n.trigger(r=e.Event("hide.bs.dropdown",i)),r.isDefaultPrevented()||(t.attr("aria-expanded","false"),n.removeClass("open").trigger(e.Event("hidden.bs.dropdown",i)))))}))}r.VERSION="3.4.1",r.prototype.toggle=function(t){var n=e(this);if(!n.is(".disabled, :disabled")){var r=o(n),a=r.hasClass("open");if(i(),!a){"ontouchstart"in document.documentElement&&!r.closest(".navbar-nav").length&&e(document.createElement("div")).addClass("dropdown-backdrop").insertAfter(e(this)).on("click",i);var s={relatedTarget:this};if(r.trigger(t=e.Event("show.bs.dropdown",s)),t.isDefaultPrevented())return;n.trigger("focus").attr("aria-expanded","true"),r.toggleClass("open").trigger(e.Event("shown.bs.dropdown",s))}return!1}},r.prototype.keydown=function(t){if(/(38|40|27|32)/.test(t.which)&&!/input|textarea/i.test(t.target.tagName)){var r=e(this);if(t.preventDefault(),t.stopPropagation(),!r.is(".disabled, :disabled")){var i=o(r),a=i.hasClass("open");if(!a&&27!=t.which||a&&27==t.which)return 27==t.which&&i.find(n).trigger("focus"),r.trigger("click");var s=i.find(".dropdown-menu li:not(.disabled):visible a");if(s.length){var l=s.index(t.target);38==t.which&&l>0&&l--,40==t.which&&l<s.length-1&&l++,~l||(l=0),s.eq(l).trigger("focus")}}}};var a=e.fn.dropdown;e.fn.dropdown=function(t){return this.each(function(){var n=e(this),o=n.data("bs.dropdown");o||n.data("bs.dropdown",o=new r(this)),"string"==typeof t&&o[t].call(n)})},e.fn.dropdown.Constructor=r,e.fn.dropdown.noConflict=function(){return e.fn.dropdown=a,this},e(document).on("click.bs.dropdown.data-api",i).on("click.bs.dropdown.data-api",".dropdown form",function(e){e.stopPropagation()}).on("click.bs.dropdown.data-api",n,r.prototype.toggle).on("keydown.bs.dropdown.data-api",n,r.prototype.keydown).on("keydown.bs.dropdown.data-api",".dropdown-menu",r.prototype.keydown)}(jQuery)},3127:function(e,t){!function(e){"use strict";var t=function(t,n){this.options=n,this.$body=e(document.body),this.$element=e(t),this.$dialog=this.$element.find(".modal-dialog"),this.$backdrop=null,this.isShown=null,this.originalBodyPad=null,this.scrollbarWidth=0,this.ignoreBackdropClick=!1,this.fixedContent=".navbar-fixed-top, .navbar-fixed-bottom",this.options.remote&&this.$element.find(".modal-content").load(this.options.remote,e.proxy(function(){this.$element.trigger("loaded.bs.modal")},this))};function n(n,r){return this.each(function(){var o=e(this),i=o.data("bs.modal"),a=e.extend({},t.DEFAULTS,o.data(),"object"==typeof n&&n);i||o.data("bs.modal",i=new t(this,a)),"string"==typeof n?i[n](r):a.show&&i.show(r)})}t.VERSION="3.4.1",t.TRANSITION_DURATION=300,t.BACKDROP_TRANSITION_DURATION=150,t.DEFAULTS={backdrop:!0,keyboard:!0,show:!0},t.prototype.toggle=function(e){return this.isShown?this.hide():this.show(e)},t.prototype.show=function(n){var r=this,o=e.Event("show.bs.modal",{relatedTarget:n});this.$element.trigger(o),this.isShown||o.isDefaultPrevented()||(this.isShown=!0,this.checkScrollbar(),this.setScrollbar(),this.$body.addClass("modal-open"),this.escape(),this.resize(),this.$element.on("click.dismiss.bs.modal",'[data-dismiss="modal"]',e.proxy(this.hide,this)),this.$dialog.on("mousedown.dismiss.bs.modal",function(){r.$element.one("mouseup.dismiss.bs.modal",function(t){e(t.target).is(r.$element)&&(r.ignoreBackdropClick=!0)})}),this.backdrop(function(){var o=e.support.transition&&r.$element.hasClass("fade");r.$element.parent().length||r.$element.appendTo(r.$body),r.$element.show().scrollTop(0),r.adjustDialog(),o&&r.$element[0].offsetWidth,r.$element.addClass("in"),r.enforceFocus();var i=e.Event("shown.bs.modal",{relatedTarget:n});o?r.$dialog.one("bsTransitionEnd",function(){r.$element.trigger("focus").trigger(i)}).emulateTransitionEnd(t.TRANSITION_DURATION):r.$element.trigger("focus").trigger(i)}))},t.prototype.hide=function(n){n&&n.preventDefault(),n=e.Event("hide.bs.modal"),this.$element.trigger(n),this.isShown&&!n.isDefaultPrevented()&&(this.isShown=!1,this.escape(),this.resize(),e(document).off("focusin.bs.modal"),this.$element.removeClass("in").off("click.dismiss.bs.modal").off("mouseup.dismiss.bs.modal"),this.$dialog.off("mousedown.dismiss.bs.modal"),e.support.transition&&this.$element.hasClass("fade")?this.$element.one("bsTransitionEnd",e.proxy(this.hideModal,this)).emulateTransitionEnd(t.TRANSITION_DURATION):this.hideModal())},t.prototype.enforceFocus=function(){e(document).off("focusin.bs.modal").on("focusin.bs.modal",e.proxy(function(e){document===e.target||this.$element[0]===e.target||this.$element.has(e.target).length||this.$element.trigger("focus")},this))},t.prototype.escape=function(){this.isShown&&this.options.keyboard?this.$element.on("keydown.dismiss.bs.modal",e.proxy(function(e){27==e.which&&this.hide()},this)):this.isShown||this.$element.off("keydown.dismiss.bs.modal")},t.prototype.resize=function(){this.isShown?e(window).on("resize.bs.modal",e.proxy(this.handleUpdate,this)):e(window).off("resize.bs.modal")},t.prototype.hideModal=function(){var e=this;this.$element.hide(),this.backdrop(function(){e.$body.removeClass("modal-open"),e.resetAdjustments(),e.resetScrollbar(),e.$element.trigger("hidden.bs.modal")})},t.prototype.removeBackdrop=function(){this.$backdrop&&this.$backdrop.remove(),this.$backdrop=null},t.prototype.backdrop=function(n){var r=this,o=this.$element.hasClass("fade")?"fade":"";if(this.isShown&&this.options.backdrop){var i=e.support.transition&&o;if(this.$backdrop=e(document.createElement("div")).addClass("modal-backdrop "+o).appendTo(this.$body),this.$element.on("click.dismiss.bs.modal",e.proxy(function(e){this.ignoreBackdropClick?this.ignoreBackdropClick=!1:e.target===e.currentTarget&&("static"==this.options.backdrop?this.$element[0].focus():this.hide())},this)),i&&this.$backdrop[0].offsetWidth,this.$backdrop.addClass("in"),!n)return;i?this.$backdrop.one("bsTransitionEnd",n).emulateTransitionEnd(t.BACKDROP_TRANSITION_DURATION):n()}else if(!this.isShown&&this.$backdrop){this.$backdrop.removeClass("in");var a=function(){r.removeBackdrop(),n&&n()};e.support.transition&&this.$element.hasClass("fade")?this.$backdrop.one("bsTransitionEnd",a).emulateTransitionEnd(t.BACKDROP_TRANSITION_DURATION):a()}else n&&n()},t.prototype.handleUpdate=function(){this.adjustDialog()},t.prototype.adjustDialog=function(){var e=this.$element[0].scrollHeight>document.documentElement.clientHeight;this.$element.css({paddingLeft:!this.bodyIsOverflowing&&e?this.scrollbarWidth:"",paddingRight:this.bodyIsOverflowing&&!e?this.scrollbarWidth:""})},t.prototype.resetAdjustments=function(){this.$element.css({paddingLeft:"",paddingRight:""})},t.prototype.checkScrollbar=function(){var e=window.innerWidth;if(!e){var t=document.documentElement.getBoundingClientRect();e=t.right-Math.abs(t.left)}this.bodyIsOverflowing=document.body.clientWidth<e,this.scrollbarWidth=this.measureScrollbar()},t.prototype.setScrollbar=function(){var t=parseInt(this.$body.css("padding-right")||0,10);this.originalBodyPad=document.body.style.paddingRight||"";var n=this.scrollbarWidth;this.bodyIsOverflowing&&(this.$body.css("padding-right",t+n),e(this.fixedContent).each(function(t,r){var o=r.style.paddingRight,i=e(r).css("padding-right");e(r).data("padding-right",o).css("padding-right",parseFloat(i)+n+"px")}))},t.prototype.resetScrollbar=function(){this.$body.css("padding-right",this.originalBodyPad),e(this.fixedContent).each(function(t,n){var r=e(n).data("padding-right");e(n).removeData("padding-right"),n.style.paddingRight=r||""})},t.prototype.measureScrollbar=function(){var e=document.createElement("div");e.className="modal-scrollbar-measure",this.$body.append(e);var t=e.offsetWidth-e.clientWidth;return this.$body[0].removeChild(e),t};var r=e.fn.modal;e.fn.modal=n,e.fn.modal.Constructor=t,e.fn.modal.noConflict=function(){return e.fn.modal=r,this},e(document).on("click.bs.modal.data-api",'[data-toggle="modal"]',function(t){var r=e(this),o=r.attr("href"),i=r.attr("data-target")||o&&o.replace(/.*(?=#[^\s]+$)/,""),a=e(document).find(i),s=a.data("bs.modal")?"toggle":e.extend({remote:!/#/.test(o)&&o},a.data(),r.data());r.is("a")&&t.preventDefault(),a.one("show.bs.modal",function(e){e.isDefaultPrevented()||a.one("hidden.bs.modal",function(){r.is(":visible")&&r.trigger("focus")})}),n.call(a,s,this)})}(jQuery)},3128:function(e,t){!function(e){"use strict";var t=["sanitize","whiteList","sanitizeFn"],n=["background","cite","href","itemtype","longdesc","poster","src","xlink:href"],r={"*":["class","dir","id","lang","role",/^aria-[\w-]*$/i],a:["target","href","title","rel"],area:[],b:[],br:[],col:[],code:[],div:[],em:[],hr:[],h1:[],h2:[],h3:[],h4:[],h5:[],h6:[],i:[],img:["src","alt","title","width","height"],li:[],ol:[],p:[],pre:[],s:[],small:[],span:[],sub:[],sup:[],strong:[],u:[],ul:[]},o=/^(?:(?:https?|mailto|ftp|tel|file):|[^&:\/?#]*(?:[\/?#]|$))/gi,i=/^data:(?:image\/(?:bmp|gif|jpeg|jpg|png|tiff|webp)|video\/(?:mpeg|mp4|ogg|webm)|audio\/(?:mp3|oga|ogg|opus));base64,[a-z0-9+\/]+=*$/i;function a(t,r){var a=t.nodeName.toLowerCase();if(-1!==e.inArray(a,r))return-1===e.inArray(a,n)||Boolean(t.nodeValue.match(o)||t.nodeValue.match(i));for(var s=e(r).filter(function(e,t){return t instanceof RegExp}),l=0,c=s.length;l<c;l++)if(a.match(s[l]))return!0;return!1}function s(t,n,r){if(0===t.length)return t;if(r&&"function"==typeof r)return r(t);if(!document.implementation||!document.implementation.createHTMLDocument)return t;var o=document.implementation.createHTMLDocument("sanitization");o.body.innerHTML=t;for(var i=e.map(n,function(e,t){return t}),s=e(o.body).find("*"),l=0,c=s.length;l<c;l++){var u=s[l],p=u.nodeName.toLowerCase();if(-1!==e.inArray(p,i))for(var d=e.map(u.attributes,function(e){return e}),f=[].concat(n["*"]||[],n[p]||[]),h=0,m=d.length;h<m;h++)a(d[h],f)||u.removeAttribute(d[h].nodeName);else u.parentNode.removeChild(u)}return o.body.innerHTML}var l=function(e,t){this.type=null,this.options=null,this.enabled=null,this.timeout=null,this.hoverState=null,this.$element=null,this.inState=null,this.init("tooltip",e,t)};l.VERSION="3.4.1",l.TRANSITION_DURATION=150,l.DEFAULTS={animation:!0,placement:"top",selector:!1,template:'<div class="tooltip" role="tooltip"><div class="tooltip-arrow"></div><div class="tooltip-inner"></div></div>',trigger:"hover focus",title:"",delay:0,html:!1,container:!1,viewport:{selector:"body",padding:0},sanitize:!0,sanitizeFn:null,whiteList:r},l.prototype.init=function(t,n,r){if(this.enabled=!0,this.type=t,this.$element=e(n),this.options=this.getOptions(r),this.$viewport=this.options.viewport&&e(document).find(e.isFunction(this.options.viewport)?this.options.viewport.call(this,this.$element):this.options.viewport.selector||this.options.viewport),this.inState={click:!1,hover:!1,focus:!1},this.$element[0]instanceof document.constructor&&!this.options.selector)throw new Error("`selector` option must be specified when initializing "+this.type+" on the window.document object!");for(var o=this.options.trigger.split(" "),i=o.length;i--;){var a=o[i];if("click"==a)this.$element.on("click."+this.type,this.options.selector,e.proxy(this.toggle,this));else if("manual"!=a){var s="hover"==a?"mouseenter":"focusin",l="hover"==a?"mouseleave":"focusout";this.$element.on(s+"."+this.type,this.options.selector,e.proxy(this.enter,this)),this.$element.on(l+"."+this.type,this.options.selector,e.proxy(this.leave,this))}}this.options.selector?this._options=e.extend({},this.options,{trigger:"manual",selector:""}):this.fixTitle()},l.prototype.getDefaults=function(){return l.DEFAULTS},l.prototype.getOptions=function(n){var r=this.$element.data();for(var o in r)r.hasOwnProperty(o)&&-1!==e.inArray(o,t)&&delete r[o];return(n=e.extend({},this.getDefaults(),r,n)).delay&&"number"==typeof n.delay&&(n.delay={show:n.delay,hide:n.delay}),n.sanitize&&(n.template=s(n.template,n.whiteList,n.sanitizeFn)),n},l.prototype.getDelegateOptions=function(){var t={},n=this.getDefaults();return this._options&&e.each(this._options,function(e,r){n[e]!=r&&(t[e]=r)}),t},l.prototype.enter=function(t){var n=t instanceof this.constructor?t:e(t.currentTarget).data("bs."+this.type);if(n||(n=new this.constructor(t.currentTarget,this.getDelegateOptions()),e(t.currentTarget).data("bs."+this.type,n)),t instanceof e.Event&&(n.inState["focusin"==t.type?"focus":"hover"]=!0),n.tip().hasClass("in")||"in"==n.hoverState)n.hoverState="in";else{if(clearTimeout(n.timeout),n.hoverState="in",!n.options.delay||!n.options.delay.show)return n.show();n.timeout=setTimeout(function(){"in"==n.hoverState&&n.show()},n.options.delay.show)}},l.prototype.isInStateTrue=function(){for(var e in this.inState)if(this.inState[e])return!0;return!1},l.prototype.leave=function(t){var n=t instanceof this.constructor?t:e(t.currentTarget).data("bs."+this.type);if(n||(n=new this.constructor(t.currentTarget,this.getDelegateOptions()),e(t.currentTarget).data("bs."+this.type,n)),t instanceof e.Event&&(n.inState["focusout"==t.type?"focus":"hover"]=!1),!n.isInStateTrue()){if(clearTimeout(n.timeout),n.hoverState="out",!n.options.delay||!n.options.delay.hide)return n.hide();n.timeout=setTimeout(function(){"out"==n.hoverState&&n.hide()},n.options.delay.hide)}},l.prototype.show=function(){var t=e.Event("show.bs."+this.type);if(this.hasContent()&&this.enabled){this.$element.trigger(t);var n=e.contains(this.$element[0].ownerDocument.documentElement,this.$element[0]);if(t.isDefaultPrevented()||!n)return;var r=this,o=this.tip(),i=this.getUID(this.type);this.setContent(),o.attr("id",i),this.$element.attr("aria-describedby",i),this.options.animation&&o.addClass("fade");var a="function"==typeof this.options.placement?this.options.placement.call(this,o[0],this.$element[0]):this.options.placement,s=/\s?auto?\s?/i,c=s.test(a);c&&(a=a.replace(s,"")||"top"),o.detach().css({top:0,left:0,display:"block"}).addClass(a).data("bs."+this.type,this),this.options.container?o.appendTo(e(document).find(this.options.container)):o.insertAfter(this.$element),this.$element.trigger("inserted.bs."+this.type);var u=this.getPosition(),p=o[0].offsetWidth,d=o[0].offsetHeight;if(c){var f=a,h=this.getPosition(this.$viewport);a="bottom"==a&&u.bottom+d>h.bottom?"top":"top"==a&&u.top-d<h.top?"bottom":"right"==a&&u.right+p>h.width?"left":"left"==a&&u.left-p<h.left?"right":a,o.removeClass(f).addClass(a)}var m=this.getCalculatedOffset(a,u,p,d);this.applyPlacement(m,a);var b=function(){var e=r.hoverState;r.$element.trigger("shown.bs."+r.type),r.hoverState=null,"out"==e&&r.leave(r)};e.support.transition&&this.$tip.hasClass("fade")?o.one("bsTransitionEnd",b).emulateTransitionEnd(l.TRANSITION_DURATION):b()}},l.prototype.applyPlacement=function(t,n){var r=this.tip(),o=r[0].offsetWidth,i=r[0].offsetHeight,a=parseInt(r.css("margin-top"),10),s=parseInt(r.css("margin-left"),10);isNaN(a)&&(a=0),isNaN(s)&&(s=0),t.top+=a,t.left+=s,e.offset.setOffset(r[0],e.extend({using:function(e){r.css({top:Math.round(e.top),left:Math.round(e.left)})}},t),0),r.addClass("in");var l=r[0].offsetWidth,c=r[0].offsetHeight;"top"==n&&c!=i&&(t.top=t.top+i-c);var u=this.getViewportAdjustedDelta(n,t,l,c);u.left?t.left+=u.left:t.top+=u.top;var p=/top|bottom/.test(n),d=p?2*u.left-o+l:2*u.top-i+c,f=p?"offsetWidth":"offsetHeight";r.offset(t),this.replaceArrow(d,r[0][f],p)},l.prototype.replaceArrow=function(e,t,n){this.arrow().css(n?"left":"top",50*(1-e/t)+"%").css(n?"top":"left","")},l.prototype.setContent=function(){var e=this.tip(),t=this.getTitle();this.options.html?(this.options.sanitize&&(t=s(t,this.options.whiteList,this.options.sanitizeFn)),e.find(".tooltip-inner").html(t)):e.find(".tooltip-inner").text(t),e.removeClass("fade in top bottom left right")},l.prototype.hide=function(t){var n=this,r=e(this.$tip),o=e.Event("hide.bs."+this.type);function i(){"in"!=n.hoverState&&r.detach(),n.$element&&n.$element.removeAttr("aria-describedby").trigger("hidden.bs."+n.type),t&&t()}if(this.$element.trigger(o),!o.isDefaultPrevented())return r.removeClass("in"),e.support.transition&&r.hasClass("fade")?r.one("bsTransitionEnd",i).emulateTransitionEnd(l.TRANSITION_DURATION):i(),this.hoverState=null,this},l.prototype.fixTitle=function(){var e=this.$element;(e.attr("title")||"string"!=typeof e.attr("data-original-title"))&&e.attr("data-original-title",e.attr("title")||"").attr("title","")},l.prototype.hasContent=function(){return this.getTitle()},l.prototype.getPosition=function(t){var n=(t=t||this.$element)[0],r="BODY"==n.tagName,o=n.getBoundingClientRect();null==o.width&&(o=e.extend({},o,{width:o.right-o.left,height:o.bottom-o.top}));var i=window.SVGElement&&n instanceof window.SVGElement,a=r?{top:0,left:0}:i?null:t.offset(),s={scroll:r?document.documentElement.scrollTop||document.body.scrollTop:t.scrollTop()},l=r?{width:e(window).width(),height:e(window).height()}:null;return e.extend({},o,s,l,a)},l.prototype.getCalculatedOffset=function(e,t,n,r){return"bottom"==e?{top:t.top+t.height,left:t.left+t.width/2-n/2}:"top"==e?{top:t.top-r,left:t.left+t.width/2-n/2}:"left"==e?{top:t.top+t.height/2-r/2,left:t.left-n}:{top:t.top+t.height/2-r/2,left:t.left+t.width}},l.prototype.getViewportAdjustedDelta=function(e,t,n,r){var o={top:0,left:0};if(!this.$viewport)return o;var i=this.options.viewport&&this.options.viewport.padding||0,a=this.getPosition(this.$viewport);if(/right|left/.test(e)){var s=t.top-i-a.scroll,l=t.top+i-a.scroll+r;s<a.top?o.top=a.top-s:l>a.top+a.height&&(o.top=a.top+a.height-l)}else{var c=t.left-i,u=t.left+i+n;c<a.left?o.left=a.left-c:u>a.right&&(o.left=a.left+a.width-u)}return o},l.prototype.getTitle=function(){var e=this.$element,t=this.options;return e.attr("data-original-title")||("function"==typeof t.title?t.title.call(e[0]):t.title)},l.prototype.getUID=function(e){do{e+=~~(1e6*Math.random())}while(document.getElementById(e));return e},l.prototype.tip=function(){if(!this.$tip&&(this.$tip=e(this.options.template),1!=this.$tip.length))throw new Error(this.type+" `template` option must consist of exactly 1 top-level element!");return this.$tip},l.prototype.arrow=function(){return this.$arrow=this.$arrow||this.tip().find(".tooltip-arrow")},l.prototype.enable=function(){this.enabled=!0},l.prototype.disable=function(){this.enabled=!1},l.prototype.toggleEnabled=function(){this.enabled=!this.enabled},l.prototype.toggle=function(t){var n=this;t&&((n=e(t.currentTarget).data("bs."+this.type))||(n=new this.constructor(t.currentTarget,this.getDelegateOptions()),e(t.currentTarget).data("bs."+this.type,n))),t?(n.inState.click=!n.inState.click,n.isInStateTrue()?n.enter(n):n.leave(n)):n.tip().hasClass("in")?n.leave(n):n.enter(n)},l.prototype.destroy=function(){var e=this;clearTimeout(this.timeout),this.hide(function(){e.$element.off("."+e.type).removeData("bs."+e.type),e.$tip&&e.$tip.detach(),e.$tip=null,e.$arrow=null,e.$viewport=null,e.$element=null})},l.prototype.sanitizeHtml=function(e){return s(e,this.options.whiteList,this.options.sanitizeFn)};var c=e.fn.tooltip;e.fn.tooltip=function(t){return this.each(function(){var n=e(this),r=n.data("bs.tooltip"),o="object"==typeof t&&t;!r&&/destroy|hide/.test(t)||(r||n.data("bs.tooltip",r=new l(this,o)),"string"==typeof t&&r[t]())})},e.fn.tooltip.Constructor=l,e.fn.tooltip.noConflict=function(){return e.fn.tooltip=c,this}}(jQuery)},3129:function(e,t){!function(e){"use strict";var t=function(e,t){this.init("popover",e,t)};if(!e.fn.tooltip)throw new Error("Popover requires tooltip.js");t.VERSION="3.4.1",t.DEFAULTS=e.extend({},e.fn.tooltip.Constructor.DEFAULTS,{placement:"right",trigger:"click",content:"",template:'<div class="popover" role="tooltip"><div class="arrow"></div><h3 class="popover-title"></h3><div class="popover-content"></div></div>'}),t.prototype=e.extend({},e.fn.tooltip.Constructor.prototype),t.prototype.constructor=t,t.prototype.getDefaults=function(){return t.DEFAULTS},t.prototype.setContent=function(){var e=this.tip(),t=this.getTitle(),n=this.getContent();if(this.options.html){var r=typeof n;this.options.sanitize&&(t=this.sanitizeHtml(t),"string"===r&&(n=this.sanitizeHtml(n))),e.find(".popover-title").html(t),e.find(".popover-content").children().detach().end()["string"===r?"html":"append"](n)}else e.find(".popover-title").text(t),e.find(".popover-content").children().detach().end().text(n);e.removeClass("fade top bottom left right in"),e.find(".popover-title").html()||e.find(".popover-title").hide()},t.prototype.hasContent=function(){return this.getTitle()||this.getContent()},t.prototype.getContent=function(){var e=this.$element,t=this.options;return e.attr("data-content")||("function"==typeof t.content?t.content.call(e[0]):t.content)},t.prototype.arrow=function(){return this.$arrow=this.$arrow||this.tip().find(".arrow")};var n=e.fn.popover;e.fn.popover=function(n){return this.each(function(){var r=e(this),o=r.data("bs.popover"),i="object"==typeof n&&n;!o&&/destroy|hide/.test(n)||(o||r.data("bs.popover",o=new t(this,i)),"string"==typeof n&&o[n]())})},e.fn.popover.Constructor=t,e.fn.popover.noConflict=function(){return e.fn.popover=n,this}}(jQuery)},3130:function(e,t){!function(e){"use strict";function t(n,r){this.$body=e(document.body),this.$scrollElement=e(n).is(document.body)?e(window):e(n),this.options=e.extend({},t.DEFAULTS,r),this.selector=(this.options.target||"")+" .nav li > a",this.offsets=[],this.targets=[],this.activeTarget=null,this.scrollHeight=0,this.$scrollElement.on("scroll.bs.scrollspy",e.proxy(this.process,this)),this.refresh(),this.process()}function n(n){return this.each(function(){var r=e(this),o=r.data("bs.scrollspy"),i="object"==typeof n&&n;o||r.data("bs.scrollspy",o=new t(this,i)),"string"==typeof n&&o[n]()})}t.VERSION="3.4.1",t.DEFAULTS={offset:10},t.prototype.getScrollHeight=function(){return this.$scrollElement[0].scrollHeight||Math.max(this.$body[0].scrollHeight,document.documentElement.scrollHeight)},t.prototype.refresh=function(){var t=this,n="offset",r=0;this.offsets=[],this.targets=[],this.scrollHeight=this.getScrollHeight(),e.isWindow(this.$scrollElement[0])||(n="position",r=this.$scrollElement.scrollTop()),this.$body.find(this.selector).map(function(){var t=e(this),o=t.data("target")||t.attr("href"),i=/^#./.test(o)&&e(o);return i&&i.length&&i.is(":visible")&&[[i[n]().top+r,o]]||null}).sort(function(e,t){return e[0]-t[0]}).each(function(){t.offsets.push(this[0]),t.targets.push(this[1])})},t.prototype.process=function(){var e,t=this.$scrollElement.scrollTop()+this.options.offset,n=this.getScrollHeight(),r=this.options.offset+n-this.$scrollElement.height(),o=this.offsets,i=this.targets,a=this.activeTarget;if(this.scrollHeight!=n&&this.refresh(),t>=r)return a!=(e=i[i.length-1])&&this.activate(e);if(a&&t<o[0])return this.activeTarget=null,this.clear();for(e=o.length;e--;)a!=i[e]&&t>=o[e]&&(void 0===o[e+1]||t<o[e+1])&&this.activate(i[e])},t.prototype.activate=function(t){this.activeTarget=t,this.clear();var n=this.selector+'[data-target="'+t+'"],'+this.selector+'[href="'+t+'"]',r=e(n).parents("li").addClass("active");r.parent(".dropdown-menu").length&&(r=r.closest("li.dropdown").addClass("active")),r.trigger("activate.bs.scrollspy")},t.prototype.clear=function(){e(this.selector).parentsUntil(this.options.target,".active").removeClass("active")};var r=e.fn.scrollspy;e.fn.scrollspy=n,e.fn.scrollspy.Constructor=t,e.fn.scrollspy.noConflict=function(){return e.fn.scrollspy=r,this},e(window).on("load.bs.scrollspy.data-api",function(){e('[data-spy="scroll"]').each(function(){var t=e(this);n.call(t,t.data())})})}(jQuery)},3131:function(e,t){!function(e){"use strict";var t=function(t){this.element=e(t)};function n(n){return this.each(function(){var r=e(this),o=r.data("bs.tab");o||r.data("bs.tab",o=new t(this)),"string"==typeof n&&o[n]()})}t.VERSION="3.4.1",t.TRANSITION_DURATION=150,t.prototype.show=function(){var t=this.element,n=t.closest("ul:not(.dropdown-menu)"),r=t.data("target");if(r||(r=(r=t.attr("href"))&&r.replace(/.*(?=#[^\s]*$)/,"")),!t.parent("li").hasClass("active")){var o=n.find(".active:last a"),i=e.Event("hide.bs.tab",{relatedTarget:t[0]}),a=e.Event("show.bs.tab",{relatedTarget:o[0]});if(o.trigger(i),t.trigger(a),!a.isDefaultPrevented()&&!i.isDefaultPrevented()){var s=e(document).find(r);this.activate(t.closest("li"),n),this.activate(s,s.parent(),function(){o.trigger({type:"hidden.bs.tab",relatedTarget:t[0]}),t.trigger({type:"shown.bs.tab",relatedTarget:o[0]})})}}},t.prototype.activate=function(n,r,o){var i=r.find("> .active"),a=o&&e.support.transition&&(i.length&&i.hasClass("fade")||!!r.find("> .fade").length);function s(){i.removeClass("active").find("> .dropdown-menu > .active").removeClass("active").end().find('[data-toggle="tab"]').attr("aria-expanded",!1),n.addClass("active").find('[data-toggle="tab"]').attr("aria-expanded",!0),a?(n[0].offsetWidth,n.addClass("in")):n.removeClass("fade"),n.parent(".dropdown-menu").length&&n.closest("li.dropdown").addClass("active").end().find('[data-toggle="tab"]').attr("aria-expanded",!0),o&&o()}i.length&&a?i.one("bsTransitionEnd",s).emulateTransitionEnd(t.TRANSITION_DURATION):s(),i.removeClass("in")};var r=e.fn.tab;e.fn.tab=n,e.fn.tab.Constructor=t,e.fn.tab.noConflict=function(){return e.fn.tab=r,this};var o=function(t){t.preventDefault(),n.call(e(this),"show")};e(document).on("click.bs.tab.data-api",'[data-toggle="tab"]',o).on("click.bs.tab.data-api",'[data-toggle="pill"]',o)}(jQuery)},3132:function(e,t){!function(e){"use strict";var t=function(n,r){this.options=e.extend({},t.DEFAULTS,r);var o=this.options.target===t.DEFAULTS.target?e(this.options.target):e(document).find(this.options.target);this.$target=o.on("scroll.bs.affix.data-api",e.proxy(this.checkPosition,this)).on("click.bs.affix.data-api",e.proxy(this.checkPositionWithEventLoop,this)),this.$element=e(n),this.affixed=null,this.unpin=null,this.pinnedOffset=null,this.checkPosition()};function n(n){return this.each(function(){var r=e(this),o=r.data("bs.affix"),i="object"==typeof n&&n;o||r.data("bs.affix",o=new t(this,i)),"string"==typeof n&&o[n]()})}t.VERSION="3.4.1",t.RESET="affix affix-top affix-bottom",t.DEFAULTS={offset:0,target:window},t.prototype.getState=function(e,t,n,r){var o=this.$target.scrollTop(),i=this.$element.offset(),a=this.$target.height();if(null!=n&&"top"==this.affixed)return o<n&&"top";if("bottom"==this.affixed)return null!=n?!(o+this.unpin<=i.top)&&"bottom":!(o+a<=e-r)&&"bottom";var s=null==this.affixed,l=s?o:i.top;return null!=n&&o<=n?"top":null!=r&&l+(s?a:t)>=e-r&&"bottom"},t.prototype.getPinnedOffset=function(){if(this.pinnedOffset)return this.pinnedOffset;this.$element.removeClass(t.RESET).addClass("affix");var e=this.$target.scrollTop(),n=this.$element.offset();return this.pinnedOffset=n.top-e},t.prototype.checkPositionWithEventLoop=function(){setTimeout(e.proxy(this.checkPosition,this),1)},t.prototype.checkPosition=function(){if(this.$element.is(":visible")){var n=this.$element.height(),r=this.options.offset,o=r.top,i=r.bottom,a=Math.max(e(document).height(),e(document.body).height());"object"!=typeof r&&(i=o=r),"function"==typeof o&&(o=r.top(this.$element)),"function"==typeof i&&(i=r.bottom(this.$element));var s=this.getState(a,n,o,i);if(this.affixed!=s){null!=this.unpin&&this.$element.css("top","");var l="affix"+(s?"-"+s:""),c=e.Event(l+".bs.affix");if(this.$element.trigger(c),c.isDefaultPrevented())return;this.affixed=s,this.unpin="bottom"==s?this.getPinnedOffset():null,this.$element.removeClass(t.RESET).addClass(l).trigger(l.replace("affix","affixed")+".bs.affix")}"bottom"==s&&this.$element.offset({top:a-n-i})}};var r=e.fn.affix;e.fn.affix=n,e.fn.affix.Constructor=t,e.fn.affix.noConflict=function(){return e.fn.affix=r,this},e(window).on("load",function(){e('[data-spy="affix"]').each(function(){var t=e(this),r=t.data();r.offset=r.offset||{},null!=r.offsetBottom&&(r.offset.bottom=r.offsetBottom),null!=r.offsetTop&&(r.offset.top=r.offsetTop),n.call(t,r)})})}(jQuery)},3133:function(e,t,n){e.exports={informational:"index--informational--2YKl-",error:"index--error--1Bfe7 index--informational--2YKl-"}},3134:function(e,t,n){(function(t){var n="Expected a function",r=NaN,o="[object Symbol]",i=/^\s+|\s+$/g,a=/^[-+]0x[0-9a-f]+$/i,s=/^0b[01]+$/i,l=/^0o[0-7]+$/i,c=parseInt,u="object"==typeof t&&t&&t.Object===Object&&t,p="object"==typeof self&&self&&self.Object===Object&&self,d=u||p||Function("return this")(),f=Object.prototype.toString,h=Math.max,m=Math.min,b=function(){return d.Date.now()};function g(e){var t=typeof e;return!!e&&("object"==t||"function"==t)}function _(e){if("number"==typeof e)return e;if(function(e){return"symbol"==typeof e||function(e){return!!e&&"object"==typeof e}(e)&&f.call(e)==o}(e))return r;if(g(e)){var t="function"==typeof e.valueOf?e.valueOf():e;e=g(t)?t+"":t}if("string"!=typeof e)return 0===e?e:+e;e=e.replace(i,"");var n=s.test(e);return n||l.test(e)?c(e.slice(2),n?2:8):a.test(e)?r:+e}e.exports=function(e,t,r){var o,i,a,s,l,c,u=0,p=!1,d=!1,f=!0;if("function"!=typeof e)throw new TypeError(n);function v(t){var n=o,r=i;return o=i=void 0,u=t,s=e.apply(r,n)}function y(e){var n=e-c;return void 0===c||n>=t||n<0||d&&e-u>=a}function w(){var e=b();if(y(e))return x(e);l=setTimeout(w,function(e){var n=t-(e-c);return d?m(n,a-(e-u)):n}(e))}function x(e){return l=void 0,f&&o?v(e):(o=i=void 0,s)}function k(){var e=b(),n=y(e);if(o=arguments,i=this,c=e,n){if(void 0===l)return function(e){return u=e,l=setTimeout(w,t),p?v(e):s}(c);if(d)return l=setTimeout(w,t),v(c)}return void 0===l&&(l=setTimeout(w,t)),s}return t=_(t)||0,g(r)&&(p=!!r.leading,a=(d="maxWait"in r)?h(_(r.maxWait)||0,t):a,f="trailing"in r?!!r.trailing:f),k.cancel=function(){void 0!==l&&clearTimeout(l),u=0,o=c=i=l=void 0},k.flush=function(){return void 0===l?s:x(b())},k}}).call(this,n(28))},3135:function(e,t,n){"use strict";(function(e){Object.defineProperty(t,"__esModule",{value:!0}),t.default=void 0;var r,o,i=function(){function e(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}return function(t,n,r){return n&&e(t.prototype,n),r&&e(t,r),t}}(),a=n(33),s=h(n(12)),l=h(n(0)),c=n(1769),u=h(n(3136)),p=h(n(3138)),d=h(n(3140)),f=h(n(3142));function h(e){return e&&e.__esModule?e:{default:e}}function m(e){return e?(0,s.default)(e).format("ddd h:mma MM/DD/YYYY"):""}var b=(o=r=function(t){function n(){return function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}(this,n),function(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}(this,(n.__proto__||Object.getPrototypeOf(n)).apply(this,arguments))}return function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}(n,e.Component),i(n,[{key:"render",value:function(){var t=this,n=this.props,r=n.error,o=n.parentNode,i=n.archives,s=n.downloads,l=this.props.backupsModalState||c.MODAL_STATES.closed;return e.createElement(a.Modal,{isOpen:l!==c.MODAL_STATES.closed,onRequestClose:function(){return t.props.close()},parentSelector:function(){return o}},function(){switch(l){case c.MODAL_STATES.list:case c.MODAL_STATES.fetch:return e.createElement(f.default,{archives:i,downloads:s,backupDetailsStart:t.props.backupDetailsStart,close:function(){return t.props.close()},downloadArchive:t.props.downloadArchive,formatTime:m});case c.MODAL_STATES.empty:return e.createElement(d.default,{close:function(){return t.props.close()}});case c.MODAL_STATES.details:return e.createElement(u.default,{backupsListOpen:t.props.backupsListOpen,details:t.props.currentDetails,linkToTerminal:t.props.linkToTerminal,formatTime:m,hasFilesPanel:t.props.hasFilesPanel});case c.MODAL_STATES.error:return e.createElement(p.default,{error:r,close:function(){return t.props.close()}});default:return null}}())}}]),n}(),r.propTypes={archives:l.default.array,backupsListOpen:l.default.func,backupsModalOpen:l.default.func,backupsModalState:l.default.string,close:l.default.func,currentStatus:l.default.string,downloadArchive:l.default.func,downloads:l.default.object,error:l.default.object,hasFilesPanel:l.default.bool,linkToTerminal:l.default.string,parentNode:l.default.object},o);t.default=b}).call(this,n(1))},3136:function(e,t,n){"use strict";(function(e,r){Object.defineProperty(t,"__esModule",{value:!0}),t.default=void 0;var o,i,a,s,l,c,u,p,d,f,h,m,b,g,_,v,y,w,x,k,C=function(){function e(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}return function(t,n,r){return n&&e(t.prototype,n),r&&e(t,r),t}}(),E=M(n(1)),O=M(n(0)),T=n(33),S=n(482),P=M(n(3137));function M(e){return e&&e.__esModule?e:{default:e}}function D(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function A(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}function R(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}var L=e(P.default)((a=i=function(e){function t(){return D(this,t),A(this,(t.__proto__||Object.getPrototypeOf(t)).apply(this,arguments))}return R(t,E.default.Component),C(t,[{key:"render",value:function(){var e=this,t=this.props.details;if(!t)return E.default.createElement("div",{styleName:"modal-body"},E.default.createElement("div",{styleName:"spacer"},E.default.createElement(T.Loading,null)));var n=t.archive,r=t.download,o=void 0===r?{}:r,i=t.error,a=void 0===i?{}:i,s=o.error||a.message,l=o.success,c="File Download In Progress",u=this.props.formatTime(n.timestamp),p=n.sizeH,d="not yet available",f=E.default.createElement(F,{link:n.link,download:o});return l?(c="File Download Complete",d=o.location,f=E.default.createElement(N,{hasFilesPanel:this.props.hasFilesPanel,link:n.link,linkToTerminal:this.props.linkToTerminal,location:d})):s&&(c="File Download Error",d="unavailable",f=E.default.createElement(j,{link:n.link,name:n.name,error:o.error?o:a})),E.default.createElement("div",{styleName:"modal-body","data-test":"urws-restore-modal-details"},E.default.createElement("h2",{styleName:"header"},c),E.default.createElement("div",{styleName:"container"},E.default.createElement("div",{styleName:"file-status"},E.default.createElement("div",{styleName:"file-stats"},E.default.createElement("div",{styleName:"descriptor"},"Date:"),E.default.createElement("div",{styleName:"stat"},u)),E.default.createElement("div",{styleName:"file-stats"},E.default.createElement("div",{styleName:"descriptor"},"Size:"),E.default.createElement("div",{styleName:"stat"},p)),E.default.createElement("div",{styleName:"file-stats"},E.default.createElement("div",{styleName:"descriptor"},"Location:"),E.default.createElement("div",{styleName:"stat"},d))),f),E.default.createElement("div",{styleName:"button-container"},E.default.createElement(T.Button,{onClick:function(){return e.props.backupsListOpen()}},"All Backups")))}}]),t}(),i.propTypes={details:O.default.shape({archive:O.default.object.isRequired,download:O.default.object,error:O.default.object}),backupsListOpen:O.default.func,formatTime:O.default.func},o=a))||o;function I(e){return r.startCase(e)}t.default=L;var F=e(P.default)(s=function(e){function t(){return D(this,t),A(this,(t.__proto__||Object.getPrototypeOf(t)).apply(this,arguments))}return R(t,E.default.Component),C(t,[{key:"render",value:function(){var e,t=this.props.download,n=t.percent,r=t.step,o=void 0===r?"":r,i=t.completed,a=void 0===i?{}:i;return E.default.createElement("div",{styleName:"details-container"},E.default.createElement("div",{styleName:"message"},"While you wait, you may download your own copy: ",E.default.createElement("a",{href:this.props.link},"download backup")),E.default.createElement("div",{styleName:"progress"},E.default.createElement("div",{styleName:"progress-header"},"Current Progress"),E.default.createElement("ul",{styleName:"checklist"},Object.keys(a).map(function(e){return E.default.createElement("li",{key:e},E.default.createElement("span",{styleName:"checkmark"},"✔"),E.default.createElement("span",null,I(e)))}),E.default.createElement("li",null,n&&100!==n?E.default.createElement("span",null,(e=n,Math.floor(e)+"%")):E.default.createElement("span",{styleName:"checking"},"..."),E.default.createElement("span",null," ",I(o))))))}}]),t}())||s,j=e(P.default)(l=function(e){function t(){return D(this,t),A(this,(t.__proto__||Object.getPrototypeOf(t)).apply(this,arguments))}return R(t,E.default.Component),C(t,[{key:"render",value:function(){return E.default.createElement("div",{styleName:"details-container"},E.default.createElement("div",{styleName:"message"},E.default.createElement("p",null,"Try to manually download the archive to your local machine:"),E.default.createElement("a",{href:this.props.link},this.props.name)),E.default.createElement("div",{styleName:"message"},E.default.createElement("p",null,"If you are still unable to access your files"),E.default.createElement("span",null,"then please contact support ",E.default.createElement("a",{href:S.SUPPORT_REQ_LINK},"Udacity Support"))),E.default.createElement("div",{styleName:"message"},E.default.createElement("pre",{styleName:"code-error"},JSON.stringify(this.props.error,null,2))))}}]),t}())||l,N=e(P.default)((p=u=function(e){function t(){return D(this,t),A(this,(t.__proto__||Object.getPrototypeOf(t)).apply(this,arguments))}return R(t,E.default.Component),C(t,[{key:"render",value:function(){return E.default.createElement("div",{styleName:"details-container"},this.props.linkToTerminal?E.default.createElement(B,{linkToTerminal:this.props.linkToTerminal,location:this.props.location}):this.props.hasFilesPanel?E.default.createElement(W,{location:this.props.location}):E.default.createElement(H,{location:this.props.location}),E.default.createElement("div",{styleName:"message"},"If you also want a local copy, then",E.default.createElement("a",{href:this.props.link}," download this backup "),"straight to your computer."))}}]),t}(),u.propTypes={hasFilesPanel:O.default.bool,link:O.default.string,linkToTerminal:O.default.string,location:O.default.string},c=p))||c,B=e(P.default)((h=f=function(e){function t(){return D(this,t),A(this,(t.__proto__||Object.getPrototypeOf(t)).apply(this,arguments))}return R(t,E.default.Component),C(t,[{key:"render",value:function(){var e="cd "+this.props.location+"/home && ls -al",t="cp "+this.props.location+"/home/*.ipynb /home/workspace --backup --suffix .original --verbose";return E.default.createElement("div",{styleName:"message"},E.default.createElement("p",null,"Use the terminal to copy files into your workspaces folder:"),E.default.createElement("ol",{styleName:"instructions-terminal"},E.default.createElement("li",null,E.default.createElement("a",{target:"_blank",href:this.props.linkToTerminal},"Click here to open a terminal"),"."),E.default.createElement("li",null,E.default.createElement("p",null,"List the files in this backup"),E.default.createElement(U,{code:e})),E.default.createElement("li",null,E.default.createElement("p",null,"Copy the files you want."),E.default.createElement("p",null,"For example: Jupyter Notebook files"),E.default.createElement(U,{rows:"2",code:t}))))}}]),t}(),f.propTypes={linkToTerminal:O.default.string.isRequired,location:O.default.string.isRequired},d=h))||d,U=e(P.default)((g=b=function(e){function t(){var e,n,r;D(this,t);for(var o=arguments.length,i=Array(o),a=0;a<o;a++)i[a]=arguments[a];return n=r=A(this,(e=t.__proto__||Object.getPrototypeOf(t)).call.apply(e,[this].concat(i))),r.handleClick=function(){r.textarea.select(),document.execCommand("copy"),r.textarea.setSelectionRange(0,0)},A(r,n)}return R(t,E.default.Component),C(t,[{key:"render",value:function(){var e=this;return E.default.createElement("div",{styleName:"code-container"},E.default.createElement("textarea",{ref:function(t){return e.textarea=t},styleName:"code-block",spellCheck:"false",autoComplete:"false",autoCorrect:"false",autoCapitalize:"false",defaultValue:this.props.code,rows:this.props.rows}),E.default.createElement("button",{styleName:"copy-clipboard",onClick:this.handleClick},E.default.createElement("div",{styleName:"icon-container"},E.default.createElement("span",{styleName:"copy-clipboard-icon"})),"copy"))}}]),t}(),b.propTypes={rows:O.default.string.isRequired,code:O.default.string.isRequired},b.defaultProps={rows:"1"},m=g))||m,W=e(P.default)((y=v=function(e){function t(){return D(this,t),A(this,(t.__proto__||Object.getPrototypeOf(t)).apply(this,arguments))}return R(t,E.default.Component),C(t,[{key:"render",value:function(){return E.default.createElement("div",null,E.default.createElement("div",{styleName:"message"},E.default.createElement("p",null,"A snapshot of your files can be accessed from the files panel at:"),E.default.createElement("pre",{styleName:"file-location"},this.props.location)),E.default.createElement("div",{styleName:"message"},E.default.createElement("ol",{styleName:"instructions"},"To restore a specific file:",E.default.createElement("li",null,"Close any open files."),E.default.createElement("li",null,"Move the replacement file into the directory:")),E.default.createElement("pre",{styleName:"file-location"},"/home/workspace")))}}]),t}(),v.propTypes={location:O.default.string.isRequired},_=y))||_,H=e(P.default)((k=x=function(e){function t(){return D(this,t),A(this,(t.__proto__||Object.getPrototypeOf(t)).apply(this,arguments))}return R(t,E.default.Component),C(t,[{key:"render",value:function(){return E.default.createElement("div",null,E.default.createElement("div",{styleName:"message"},E.default.createElement("p",null,"A snapshot of your files can be accessed from:"),E.default.createElement("pre",{styleName:"file-location"},this.props.location)),E.default.createElement("div",{styleName:"message"},E.default.createElement("p",null,"To restore a specific file move it into the directory:"),E.default.createElement("pre",{styleName:"file-location"},"/home/workspace")))}}]),t}(),x.propTypes={location:O.default.string.isRequired},w=k))||w}).call(this,n(5),n(4))},3137:function(e,t,n){e.exports={"modal-body":"backup-details--modal-body--2ZNyZ",spacer:"backup-details--spacer--209ON",header:"backup-details--header--3CkDh",message:"backup-details--message--3u4Uf",progress:"backup-details--progress--3CU5Z","progress-header":"backup-details--progress-header--2wkTz",checklist:"backup-details--checklist--Dm3XJ",checkmark:"backup-details--checkmark--2Uthl",checking:"backup-details--checking--kCKqW","status-header":"backup-details--status-header--cpYPv",container:"backup-details--container--2E4Sj","file-status":"backup-details--file-status--3jm3i","file-stats":"backup-details--file-stats--1Jb-B",descriptor:"backup-details--descriptor--3bBOP",stat:"backup-details--stat--15Hgt","file-location":"backup-details--file-location--1plOs","button-container":"backup-details--button-container--3QNUX","details-container":"backup-details--details-container--i4Un9",instructions:"backup-details--instructions--2aq7l","instructions-terminal":"backup-details--instructions-terminal--3-Iom","code-container":"backup-details--code-container--17klU","code-block":"backup-details--code-block--3m6Nn","copy-clipboard":"backup-details--copy-clipboard--pxvMh","icon-container":"backup-details--icon-container--34Fo5","copy-clipboard-icon":"backup-details--copy-clipboard-icon--29Nk7",code:"backup-details--code--293VT",pre:"backup-details--pre--AlGgG","code-error":"backup-details--code-error--10EPj",bold:"backup-details--bold--INzGB"}},3138:function(e,t,n){"use strict";(function(e){Object.defineProperty(t,"__esModule",{value:!0}),t.default=void 0;var r,o,i,a=function(){function e(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}return function(t,n,r){return n&&e(t.prototype,n),r&&e(t,r),t}}(),s=f(n(1)),l=f(n(0)),c=n(33),u=f(n(196)),p=f(n(3139)),d=n(482);function f(e){return e&&e.__esModule?e:{default:e}}var h=e(p.default)((i=o=function(e){function t(){return function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}(this,t),function(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}(this,(t.__proto__||Object.getPrototypeOf(t)).apply(this,arguments))}return function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}(t,s.default.Component),a(t,[{key:"render",value:function(){var e=this,t=this.props.error||{},n=t.message;return s.default.createElement("div",{styleName:"modal-body"},s.default.createElement(u.default,{className:p.default["reset-warning"],glyph:"warning-xl"}),s.default.createElement("p",{styleName:"title"},"We are unable to load your backups"),s.default.createElement("div",{styleName:"container"},s.default.createElement("div",{styleName:"solution"},s.default.createElement("p",null,"Please refresh the page. If the problem persists, then contact support."),s.default.createElement("p",null,s.default.createElement("a",{href:d.SUPPORT_REQ_LINK},"Contact Udacity"))),s.default.createElement("div",{styleName:"explanation"},n?s.default.createElement("p",null,"Error: ",n):null),s.default.createElement("div",{styleName:"details"},s.default.createElement("pre",{styleName:"error-code"},JSON.stringify(t,null,2)))),s.default.createElement(c.Button,{onClick:function(){return e.props.close()}},"Dismiss"))}}]),t}(),o.propTypes={error:l.default.object.isRequired,close:l.default.func},r=i))||r;t.default=h}).call(this,n(5))},3139:function(e,t,n){e.exports={"modal-body":"backup-error--modal-body--3Efda","error-code":"backup-error--error-code--2UYkB",title:"backup-error--title--2jBoP",container:"backup-error--container--7wvB8",explanation:"backup-error--explanation---ioKx",solution:"backup-error--solution--rPH80",details:"backup-error--details--3q2vk","reset-warning":"backup-error--reset-warning--2mlHL"}},3140:function(e,t,n){"use strict";(function(e){Object.defineProperty(t,"__esModule",{value:!0}),t.default=void 0;var r,o,i,a=function(){function e(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}return function(t,n,r){return n&&e(t.prototype,n),r&&e(t,r),t}}(),s=p(n(1)),l=p(n(0)),c=n(33),u=n(482);function p(e){return e&&e.__esModule?e:{default:e}}var d=e(p(n(3141)).default)((i=o=function(e){function t(){return function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}(this,t),function(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}(this,(t.__proto__||Object.getPrototypeOf(t)).apply(this,arguments))}return function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}(t,s.default.Component),a(t,[{key:"render",value:function(){var e=this;return s.default.createElement("div",{styleName:"modal-body","data-test":"urws-restore-empty"},s.default.createElement("h2",{styleName:"header"},"No Files To Restore"),s.default.createElement("div",{styleName:"container"},s.default.createElement("p",{styleName:"message"},"There are currently no backups recorded for this workspace. The first one will be created a short time after you leave."),s.default.createElement("p",{styleName:"message"},"A backup is automatically created for you when we shut down the remote machine."),s.default.createElement("p",{styleName:"message"},"If you think you should be seeing a backup from a previous visit to this workspace, then please contact support ",s.default.createElement("a",{href:u.SUPPORT_REQ_LINK},"Udacity Support"))),s.default.createElement("div",{styleName:"button-container"},s.default.createElement(c.Button,{onClick:function(){return e.props.close()}},"Close")))}}]),t}(),o.propTypes={close:l.default.func.isRequired},r=i))||r;t.default=d}).call(this,n(5))},3141:function(e,t,n){e.exports={"modal-body":"archives-empty--modal-body--1x8LJ",message:"archives-empty--message--13Voj",header:"archives-empty--header--NDZeI",container:"archives-empty--container--2zwcG","button-container":"archives-empty--button-container--2zfW5"}},3142:function(e,t,n){"use strict";(function(e,r,o){Object.defineProperty(t,"__esModule",{value:!0}),t.default=void 0;var i,a,s,l=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var n=arguments[t];for(var r in n)Object.prototype.hasOwnProperty.call(n,r)&&(e[r]=n[r])}return e},c=function(){function e(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}return function(t,n,r){return n&&e(t.prototype,n),r&&e(t,r),t}}(),u=n(33),p=h(n(0)),d=n(1769),f=h(n(3143));function h(e){return e&&e.__esModule?e:{default:e}}var m="complete",b="error",g="in progress";function _(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:[],t=arguments[1];return e.reduce(function(e,n){var r=(0,d.getStatusFromArchive)(n,t),o=r.status,i=r.backupId,a=function(e){switch(e){case d.JOB_STATUS.COMPLETE:return m;case d.JOB_STATUS.ERROR:return b;case d.JOB_STATUS.WORKING:return g;default:return""}}(o);return n.status=a,n.backupId=i,e.push(n),e},[])}var v=e(f.default)((s=a=function(e){function t(e){!function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}(this,t);var n=function(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}(this,(t.__proto__||Object.getPrototypeOf(t)).call(this,e));return n.state={selected:null,status:""},n}return function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}(t,r.Component),c(t,[{key:"handleClickStatus",value:function(e,t){e.stopPropagation(),this.props.backupDetailsStart({backupId:t.backupId,archive:t})}},{key:"handleClickDownload",value:function(){this.props.downloadArchive(this.state.selected),this.setState({selected:null}),this.props.close()}},{key:"buttonDisabled",value:function(){return!this.state.selected||this.state.status===g}},{key:"getDownloadMessage",value:function(){var e="",t=o.get(this,"state.selected")||{},n=this.props.formatTime(t.timestamp);switch(t.isMaster?"master":t.status){case m:e="Overwrite backup from "+n;break;case b:e="Retry backup from "+n;break;case g:e="Download in progress";break;case"master":e="Download Starter Files";break;default:e=n?"Download backup from "+n:""}return e}},{key:"handleFileSelection",value:function(e){this.setState(function(t){var n=t.selected;return n&&n.name===e.name?{selected:null}:{selected:l({},e)}})}},{key:"_renderEntries",value:function(e){var t=this;return e.sort(function(e,t){return t.isMaster?-1:e.isMaster?1:new Date(t.timestamp)-new Date(e.timestamp)}),r.createElement("table",{"data-test":"urws-file-backups",styleName:"archive-table"},r.createElement("thead",{styleName:"archive-header"},r.createElement("tr",null,r.createElement("th",null),r.createElement("th",null,"Date"),r.createElement("th",null,"Size"),r.createElement("th",null))),r.createElement("tbody",{styleName:"archive-body"},e.map(function(e){var n=o.get(t,"state.selected.name"),i=e.name,a=e.sizeH,s=e.timestamp,l=e.status,c=e.isMaster,p=n===i;return r.createElement("tr",{key:i,onClick:function(){return t.handleFileSelection(e)}},r.createElement("td",null,r.createElement(u.Checkbox,{checked:p})),r.createElement("td",null,c?"Starter Files":t.props.formatTime(s)),r.createElement("td",null,a),r.createElement("td",null,l?r.createElement("a",{onClick:function(n){return t.handleClickStatus(n,e)}},l):null))})))}},{key:"render",value:function(){var e=this,t=this.props,n=t.archives,i=t.downloads,a=this.getDownloadMessage(),s=_(n,i);return r.createElement("div",{styleName:"modal-body","data-test":"urws-restore-modal"},r.createElement("h2",{styleName:"header"},"Previous Backups"),r.createElement("p",{styleName:"modal-message"},"Select a previous version of your workspace's files to download. This will not overwrite your current files."),r.createElement("div",{styleName:"modal-results"},s.length?this._renderEntries(s):r.createElement("div",{styleName:"results-loading"},r.createElement(u.Loading,null))),r.createElement("div",{styleName:"download"},r.createElement("div",{styleName:"download-time"},a),r.createElement(u.Button,{styleName:"download-button",disabled:this.buttonDisabled(),isBusy:o.get(this,"state.selected.status")===g,onClick:function(){return e.handleClickDownload()},label:"Download Files",variant:"primary"})))}}]),t}(),a.propTypes={archives:p.default.array,downloads:p.default.object,close:p.default.func,downloadArchive:p.default.func},a.defaultProps={},i=s))||i;t.default=v}).call(this,n(5),n(1),n(4))},3143:function(e,t,n){e.exports={"modal-root":"archives-list--modal-root--I95AP","modal-body":"archives-list--modal-body--1xJgH","modal-header":"archives-list--modal-header--1P60t","modal-message":"archives-list--modal-message--JQcTP","modal-footer":"archives-list--modal-footer--eNp-8","modal-button":"archives-list--modal-button--1YQFq",header:"archives-list--header--3d0Zt archives-list--modal-header--1P60t","modal-results":"archives-list--modal-results--1fVTk","results-loading":"archives-list--results-loading--3hdZr","archive-table":"archives-list--archive-table--2nILV","archive-header":"archives-list--archive-header--1Jxln","archive-body":"archives-list--archive-body--1r-eW",download:"archives-list--download--1dT0t","download-time":"archives-list--download-time--3AOPH","download-button":"archives-list--download-button--1q_fk"}},3144:function(e,t,n){"use strict";(function(e,r){Object.defineProperty(t,"__esModule",{value:!0}),t.default=void 0;var o,i,a=function(){function e(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}return function(t,n,r){return n&&e(t.prototype,n),r&&e(t,r),t}}(),s=n(3145),l=(i=s)&&i.__esModule?i:{default:i},c=n(1769);var u=e(l.default)(o=function(e){function t(e){return function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}(this,t),function(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}(this,(t.__proto__||Object.getPrototypeOf(t)).call(this,e))}return function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}(t,r.Component),a(t,[{key:"render",value:function(){var e=this.props.currentStatus;return e?r.createElement("span",{styleName:"status"},function(e){switch(e){case c.JOB_STATUS.COMPLETE:return"download complete";case c.JOB_STATUS.ERROR:return"download error";case c.JOB_STATUS.WORKING:return"downloading files";default:return""}}(e)):null}}]),t}())||o;t.default=u}).call(this,n(5),n(1))},3145:function(e,t,n){e.exports={status:"backup-status--status--3YXJi"}},3146:function(e,t,n){var r=n(3147),o=n(3148),i=o;i.v1=r,i.v4=o,e.exports=i},3147:function(e,t,n){var r=n(2017),o=n(2018),i=r(),a=[1|i[0],i[1],i[2],i[3],i[4],i[5]],s=16383&(i[6]<<8|i[7]),l=0,c=0;e.exports=function(e,t,n){var r=t&&n||0,i=t||[],u=void 0!==(e=e||{}).clockseq?e.clockseq:s,p=void 0!==e.msecs?e.msecs:(new Date).getTime(),d=void 0!==e.nsecs?e.nsecs:c+1,f=p-l+(d-c)/1e4;if(f<0&&void 0===e.clockseq&&(u=u+1&16383),(f<0||p>l)&&void 0===e.nsecs&&(d=0),d>=1e4)throw new Error("uuid.v1(): Can't create more than 10M uuids/sec");l=p,c=d,s=u;var h=(1e4*(268435455&(p+=122192928e5))+d)%4294967296;i[r++]=h>>>24&255,i[r++]=h>>>16&255,i[r++]=h>>>8&255,i[r++]=255&h;var m=p/4294967296*1e4&268435455;i[r++]=m>>>8&255,i[r++]=255&m,i[r++]=m>>>24&15|16,i[r++]=m>>>16&255,i[r++]=u>>>8|128,i[r++]=255&u;for(var b=e.node||a,g=0;g<6;++g)i[r+g]=b[g];return t||o(i)}},3148:function(e,t,n){var r=n(2017),o=n(2018);e.exports=function(e,t,n){var i=t&&n||0;"string"==typeof e&&(t="binary"==e?new Array(16):null,e=null);var a=(e=e||{}).random||(e.rng||r)();if(a[6]=15&a[6]|64,a[8]=63&a[8]|128,t)for(var s=0;s<16;++s)t[i+s]=a[s];return t||o(a)}},3149:function(e,t,n){"use strict";(function(t,r){var o=n(3150),i=300;function a(e,n,o,a,s){return new t(function(t,l){if(window.analytics){var c=!1;window.analytics[e](n,o,a,u),setTimeout(u,i)}else l(new Error("Missing window.analytics"));function u(){c||(c=!0,r.isFunction(s)&&s.apply(this,arguments),t(arguments))}})}e.exports={init:function(e){var t=arguments.length>1&&void 0!==arguments[1]&&arguments[1];if(!window.analytics)throw new Error("Missing Segment snippet in index.html");if(!window.analytics.load)throw new Error("Segment has already been loaded");window.analytics.load(e),t&&window.analytics.ready(function(){window.analytics._integrations["Segment.io"].options.apiHost="analyticsevents.udacity.com/v1",window.analytics.page()})},track:function(e,t,n,r){return a("track",e,t,n,r)},page:function(e,t,n,r){return a("page",e,t,n,r)},identify:function(e,t){return a("identify",e.id,{email:e.email},null,t)},createAgent:o.createAgent}}).call(this,n(10),n(4))},3150:function(e,t,n){"use strict";(function(e,n){Object.defineProperty(t,"__esModule",{value:!0});var r=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var n=arguments[t];for(var r in n)Object.prototype.hasOwnProperty.call(n,r)&&(e[r]=n[r])}return e},o=function(){function e(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}return function(t,n,r){return n&&e(t.prototype,n),r&&e(t,r),t}}();var i="https://analytics-iframe.udacity.com",a=console||e.reduce(["log","error","warn"],function(t,n){return t[n]=e.noop,t},{}),s=function(){function t(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{};!function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}(this,t),this.config=r({interval:1e3,src:i,threshold:100},e),this.iframe=null,this.queue=[]}return o(t,[{key:"init",value:function(){var e=this,t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:this.config.key,r=arguments.length>1&&void 0!==arguments[1]&&arguments[1];if(this.config.key=t,!t)throw new Error("No write key specified");var o=this.config.interval;return n.resolve(this.iframe).then(function(n){if(n)throw new Error("Analytics agent is already initialized");return e._push("load",[t]),e._createIframe()}).then(function(t){return e.iframe=t,r&&e._push("useProxy"),setInterval(e.dispatch.bind(e),o),e})}},{key:"dispatch",value:function(){var t=Date.now()+this.config.interval;for(this.queue.length>this.config.threshold&&this._flushAll();this.queue.length>0&&Date.now()<t&&e.isFunction(this.iframe.contentWindow.postMessage);){var n=this.queue.shift()||{};this.iframe.contentWindow.postMessage(JSON.stringify(r({type:"analytics"},n)),this.config.src)}}},{key:"identify",value:function(){var t=this,n=arguments,r=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},o=r.id,i=r.email,a=arguments.length>1&&void 0!==arguments[1]?arguments[1]:e.noop;return this._push("identify",[o,{email:i},null]).then(function(){return t._invoke(a,t,n)})}},{key:"page",value:function(t,n){var r=arguments.length>2&&void 0!==arguments[2]?arguments[2]:{},o=this,i=arguments,a=arguments.length>3&&void 0!==arguments[3]?arguments[3]:{},s=arguments.length>4&&void 0!==arguments[4]?arguments[4]:e.noop,l=e.assign({},{url:window.location.href,title:document.title,referrer:document.referrer,search:window.location.search,path:document.location.href},r);return this._push("page",[t,n,l,a]).then(function(){return o._invoke(s,o,i)})}},{key:"track",value:function(t,n){var r=this,o=arguments,i=arguments.length>2&&void 0!==arguments[2]?arguments[2]:{},a=arguments.length>3&&void 0!==arguments[3]?arguments[3]:e.noop;return this._push("track",[t,n,i]).then(function(){return r._invoke(a,r,o)})}},{key:"_createIframe",value:function(){var e=this;return new n(function(t,n){var r=document.createElement("iframe");r.src=e.config.src,r.style.display="none",r.height=0,r.width=0,r["aria-hidden"]="true",r.onload=function(){t(r)};try{document.body.appendChild(r)}catch(e){r.parentNode.removeChild(r),n(new Error("IFrame failed to load: "+e.message))}})}},{key:"_flushAll",value:function(){a.warn("Flushing "+this.queue.length+" events..."),this.queue.length=0}},{key:"_push",value:function(e,t){var r=this;return new n(function(n,o){e||o(new Error("Must supply method")),r.queue.push({method:e,args:t}),n()})}},{key:"_invoke",value:function(t,n,r){return e.isFunction(t)&&t.apply(n,r),r}}]),t}();t.default=s,t.createAgent=function(){for(var e=arguments.length,t=Array(e),n=0;n<e;n++)t[n]=arguments[n];return new(Function.prototype.bind.apply(s,[null].concat(t)))}}).call(this,n(4),n(10))},3151:function(e,t,n){"use strict";(function(e){Object.defineProperty(t,"__esModule",{value:!0}),t.default=void 0;var r,o,i,a,s=function(){return function(e,t){if(Array.isArray(e))return e;if(Symbol.iterator in Object(e))return function(e,t){var n=[],r=!0,o=!1,i=void 0;try{for(var a,s=e[Symbol.iterator]();!(r=(a=s.next()).done)&&(n.push(a.value),!t||n.length!==t);r=!0);}catch(e){o=!0,i=e}finally{try{!r&&s.return&&s.return()}finally{if(o)throw i}}return n}(e,t);throw new TypeError("Invalid attempt to destructure non-iterable instance")}}(),l=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var n=arguments[t];for(var r in n)Object.prototype.hasOwnProperty.call(n,r)&&(e[r]=n[r])}return e},c=function(){function e(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}return function(t,n,r){return n&&e(t.prototype,n),r&&e(t,r),t}}(),u=_(n(1)),p=n(33),d=_(n(1665)),f=_(n(1705)),h=_(n(1638)),m=_(n(1725)),b=n(482),g=_(n(1843));function _(e){return e&&e.__esModule?e:{default:e}}for(var v=[],y=3e3;y<3100;y++)v.push({value:y,label:y});var w,x,k,C,E,O,T=(r=e(g.default),o=(0,b.debounce)(300),r((a=function(e){function t(e){!function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}(this,t);var n=function(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}(this,(t.__proto__||Object.getPrototypeOf(t)).call(this,e));return n.state={terminalTitle:n.props.conf.terminalTitle},n}return function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}(t,u.default.Component),c(t,null,[{key:"defaultConf",value:function(){return{showFiles:!0,allowClose:!0,port:3e3,ports:[],allowSubmit:!1,openFiles:[],userCode:"",disk:null,actionButtonText:"Preview",openTerminalOnStartup:!0,terminalTitle:"BASH"}}},{key:"editorConf",value:function(e){return l({},e,{showFiles:!0,allowSubmit:!1,allowClose:!0})}}]),c(t,[{key:"onChangeShowFiles",value:function(e){this.props.onChangeConf&&this.props.onChangeConf(l({},this.props.conf,{showFiles:e}))}},{key:"onChangeTerminalTitle",value:function(e){this.props.onChangeConf&&this.props.onChangeConf(l({},this.props.conf,{terminalTitle:e}))}},{key:"onChangeAllowClose",value:function(e){this.props.onChangeConf&&this.props.onChangeConf(l({},this.props.conf,{allowClose:e}))}},{key:"onChangePort",value:function(e){this.props.onChangeConf&&this.props.onChangeConf(l({},this.props.conf,{port:e}))}},{key:"onChangeAllowSubmit",value:function(e){this.props.onChangeConf&&this.props.onChangeConf(l({},this.props.conf,{allowSubmit:e}))}},{key:"onChangeButtonText",value:function(e){this.props.onChangeConf&&this.props.onChangeConf(l({},this.props.conf,{actionButtonText:e}))}},{key:"onChangeDiskConf",value:function(e){this.props.onChangeConf&&this.props.onChangeConf(l({},this.props.conf,{disk:e}))}},{key:"onChangePorts",value:function(e){this.props.onChangeConf&&this.props.onChangeConf(l({},this.props.conf,{ports:e.map(function(e){return e.value})}))}},{key:"onChangeUserCode",value:function(e){this.props.onChangeConf&&this.props.onChangeConf(l({},this.props.conf,{userCode:e}))}},{key:"updateTerminalTitle",value:function(e){this.setState({terminalTitle:e}),this.onChangeTerminalTitle(e)}},{key:"render",value:function(){var e=this,n=Object.assign({},t.defaultConf(),this.props.conf);return u.default.createElement("div",{styleName:"control-panel"},u.default.createElement("h2",null,"Configurator"),u.default.createElement("div",{styleName:"controls"},u.default.createElement("div",{styleName:"control"},u.default.createElement(p.Checkbox,{label:"Show Files Panel",checked:n.showFiles,onChange:function(t){return e.onChangeShowFiles(t.target.checked)}})),u.default.createElement("div",{styleName:"control"},u.default.createElement(p.Checkbox,{label:"Allow students to close tabs",checked:n.allowClose,onChange:function(t){return e.onChangeAllowClose(t.target.checked)}})),u.default.createElement("div",{styleName:"control"},u.default.createElement(p.Checkbox,{label:"Allow students to submit a project from this workspace",checked:n.allowSubmit,onChange:function(t){return e.onChangeAllowSubmit(t.target.checked)}})),u.default.createElement("div",{styleName:"control"},u.default.createElement(d.default,{disk:n.disk,getDisks:this.props.getDisks,mountFiles:this.props.mountFiles,onChange:function(t){return e.onChangeDiskConf(t)}})),u.default.createElement("div",{styleName:"control"},u.default.createElement("label",null,"Port for student preview tab:"),u.default.createElement(p.TextInput,{type:"number",value:n.port,onChange:function(t){return e.onChangePort(t.target.value)},min:3e3,max:3099})),u.default.createElement("div",{styleName:"control"},u.default.createElement("label",null," Default terminal title:",u.default.createElement(p.TextInput,{type:"text",value:this.state.terminalTitle,onChange:function(t){return e.updateTerminalTitle(t.target.value)}}))),u.default.createElement("div",{styleName:"control"},u.default.createElement("label",null," Button text:",u.default.createElement(p.TextInput,{type:"text",value:n.actionButtonText,onChange:function(t){return e.onChangeButtonText(t.target.value)}}))),u.default.createElement("div",{styleName:"control"},u.default.createElement("label",null,"Other ports to open (e.g. for backend services):"),u.default.createElement(h.default,{multi:!0,name:"open-ports",value:n.ports.map(function(e){return{value:e,label:e}}),options:v,onChange:function(t){return e.onChangePorts(t)}})),u.default.createElement("div",{styleName:"control"},u.default.createElement(m.default,{onChangeConf:this.props.onChangeConf,conf:n,makeServer:this.props.makeServer,starId:this.props.starId})),u.default.createElement("div",{styleName:"control"},u.default.createElement("label",null,"Code to run before bash in every terminal:"),u.default.createElement("br",null),u.default.createElement(f.default,{ace:{height:"100px"},files:[{text:n.userCode,name:"code.sh"}],onChange:function(t){var n=s(t,1)[0].text;return e.onChangeUserCode(n)}}))))}}]),t}(),w=a.prototype,x="onChangeTerminalTitle",k=[o],C=Object.getOwnPropertyDescriptor(a.prototype,"onChangeTerminalTitle"),E=a.prototype,O={},Object.keys(C).forEach(function(e){O[e]=C[e]}),O.enumerable=!!O.enumerable,O.configurable=!!O.configurable,("value"in O||O.initializer)&&(O.writable=!0),O=k.slice().reverse().reduce(function(e,t){return t(w,x,e)||e},O),E&&void 0!==O.initializer&&(O.value=O.initializer?O.initializer.call(E):void 0,O.initializer=void 0),void 0===O.initializer&&(Object.defineProperty(w,x,O),O=null),i=a))||i);t.default=T}).call(this,n(5))},3152:function(e,t,n){"use strict";(function(e,r){Object.defineProperty(t,"__esModule",{value:!0}),t.default=void 0;var o,i,a,s=function(){function e(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}return function(t,n,r){return n&&e(t.prototype,n),r&&e(t,r),t}}(),l=u(n(0)),c=n(33);function u(e){return e&&e.__esModule?e:{default:e}}var p=e(u(n(3153)).default)((a=i=function(e){function t(e){!function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}(this,t);var n=function(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}(this,(t.__proto__||Object.getPrototypeOf(t)).call(this,e));return n.state={showConfig:n.props.startsOpen},n}return function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}(t,r.Component),s(t,[{key:"handleChange",value:function(e){e||this.props.onHide(),this.setState({showConfig:e})}},{key:"render",value:function(){var e=this,t=r.createElement("div",{styleName:"sub-control-panel"},this.props.children);return r.createElement("div",null,r.createElement(c.Checkbox,{label:this.props.label,checked:this.state.showConfig,onChange:function(t){return e.handleChange(t.target.checked)}}),this.state.showConfig?t:null)}}]),t}(),i.propTypes={onHide:l.default.func,label:l.default.string,startsOpen:l.default.bool},o=a))||o;t.default=p}).call(this,n(5),n(1))},3153:function(e,t,n){e.exports={"sub-control-panel":"mini-configurator--sub-control-panel--2nUwh"}},3154:function(e,t,n){e.exports={"control-panel":"index--control-panel--3EVbG",controls:"index--controls--23Kbs",control:"index--control--1nwsi",narrow:"index--narrow--3Oi3o",path:"index--path--3VDeS","remove-button":"index--remove-button--3sHpK",add:"index--add--1qART",mount:"index--mount--QoU9w","disk-selector":"index--disk-selector--3sT3B",instructions:"index--instructions--1vSBU",mapping:"index--mapping--1Qw-B","mapping-invalid":"index--mapping-invalid--2NYUC index--mapping--1Qw-B",actions:"index--actions--3GGQn",instruction:"index--instruction--2izvM",src:"index--src--1LdnQ",dest:"index--dest--192X8",action:"index--action--3XJp2","action-notice":"index--action-notice--3LkdR",warning:"index--warning--4fqIH"}},3155:function(e,t,n){"use strict";(function(e){Object.defineProperty(t,"__esModule",{value:!0}),t.RequestTimeModal=t.ConflictGPUModal=t.ToggleGPUModal=void 0;var r,o,i,a=function(){function e(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}return function(t,n,r){return n&&e(t.prototype,n),r&&e(t,r),t}}(),s=p(n(1)),l=p(n(3156)),c=n(33),u=n(1724);function p(e){return e&&e.__esModule?e:{default:e}}function d(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function f(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}function h(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}t.ToggleGPUModal=e(l.default)(r=function(e){function t(){var e,n,r;d(this,t);for(var o=arguments.length,i=Array(o),a=0;a<o;a++)i[a]=arguments[a];return n=r=f(this,(e=t.__proto__||Object.getPrototypeOf(t)).call.apply(e,[this].concat(i))),r.refreshWorkspace=function(){r.props.isRunning?r.props.disableGPUSubmit():r.props.enableGPUSubmit()},f(r,n)}return h(t,s.default.Component),a(t,[{key:"render",value:function(){var e=this,t=this.props,n=t.modalState,r=t.isRunning,o=t.close,i=t.parentNode,a=(r?"Disable":"Enable")+" GPU Mode",l=r?"DISABLE":"ENABLE",p=r?"disable-gpu-icon":"enable-gpu-icon";return s.default.createElement(c.Modal,{styleName:"toggle-modal",isOpen:!!n&&n===u.states.toggle,onRequestClose:o,parentSelector:function(){return i}},s.default.createElement("div",{styleName:"toggle-container"},s.default.createElement("div",{styleName:"banner"},s.default.createElement("span",{styleName:"icon-container"},s.default.createElement("span",{styleName:p}))),s.default.createElement("section",{styleName:"title"},a),s.default.createElement("section",{styleName:"text"},"All processes currently running will be terminated."),s.default.createElement("div",{styleName:"options"},s.default.createElement(c.Button,{styleName:"option",type:"primary",onClick:function(){return e.refreshWorkspace()}},l),s.default.createElement(c.Button,{styleName:"option",type:"secondary",onClick:o},"Cancel"))))}}]),t}())||r,t.ConflictGPUModal=e(l.default)(o=function(e){function t(){var e,n,r;d(this,t);for(var o=arguments.length,i=Array(o),a=0;a<o;a++)i[a]=arguments[a];return n=r=f(this,(e=t.__proto__||Object.getPrototypeOf(t)).call.apply(e,[this].concat(i))),r.refreshWorkspace=function(){r.props.conflictingGPUSubmit()},f(r,n)}return h(t,s.default.Component),a(t,[{key:"render",value:function(){var e=this,t=this.props,n=t.modalState,r=t.close,o=t.parentNode;return s.default.createElement(c.Modal,{styleName:"conflict-modal",isOpen:!!n&&n===u.states.conflict,onRequestClose:r,parentSelector:function(){return o}},s.default.createElement("div",{styleName:"conflict-container"},s.default.createElement("div",{styleName:"banner"},s.default.createElement("span",{styleName:"icon-container"},s.default.createElement("span",{styleName:"conflict-gpu-icon"}))),s.default.createElement("section",{styleName:"title"},"Another Workspace is Already Running GPU Mode"),s.default.createElement("section",{styleName:"text"},"Would you like to disable GPU Mode for your other Workspace and enable it for this Workspace? All processes currently running will be terminated."),s.default.createElement("div",{styleName:"options"},s.default.createElement(c.Button,{styleName:"option",type:"primary",onClick:function(){return e.refreshWorkspace()}},"ENABLE GPU"),s.default.createElement(c.Button,{styleName:"option",type:"secondary",onClick:r},"Cancel"))))}}]),t}())||o,t.RequestTimeModal=e(l.default)(i=function(e){function t(){return d(this,t),f(this,(t.__proto__||Object.getPrototypeOf(t)).apply(this,arguments))}return h(t,s.default.Component),a(t,[{key:"render",value:function(){var e=this.props,t=e.modalState,n=e.close,r=e.parentNode;return s.default.createElement(c.Modal,{styleName:"time-modal",isOpen:!!t&&t===u.states.time,onRequestClose:n,parentSelector:function(){return r}},s.default.createElement("div",{styleName:"time-container"},s.default.createElement("section",{styleName:"title"},"Request More GPU Time"),s.default.createElement("section",{styleName:"text"},s.default.createElement("p",{styleName:"explanation"},"If you need more time to complete a project, you may submit a support request. Please let us know your email address, how much additional time you need, and for which nanodegree projects."),s.default.createElement("a",{href:"https://udacity.zendesk.com/hc/en-us/requests/new",target:"_blank"},"Request More Time"))))}}]),t}())||i}).call(this,n(5))},3156:function(e,t,n){e.exports={"toggle-modal":"gpu-modals--toggle-modal--2D_7G","time-modal":"gpu-modals--time-modal--1mh61",explanation:"gpu-modals--explanation--2HF1p","conflict-modal":"gpu-modals--conflict-modal--2IuiH",container:"gpu-modals--container--2wsDq","toggle-container":"gpu-modals--toggle-container--1MfT-","time-container":"gpu-modals--time-container--TjFs-","conflict-container":"gpu-modals--conflict-container--zDoRg",banner:"gpu-modals--banner--neHQK","icon-container":"gpu-modals--icon-container--1v4xg",title:"gpu-modals--title--1yFUG",text:"gpu-modals--text--1EADh",options:"gpu-modals--options--sXdOl",option:"gpu-modals--option--3ZIQ-",icon:"gpu-modals--icon--3qrVG","enable-gpu-icon":"gpu-modals--enable-gpu-icon--4hvCX gpu-modals--icon--3qrVG","disable-gpu-icon":"gpu-modals--disable-gpu-icon--2nS69 gpu-modals--icon--3qrVG","conflict-gpu-icon":"gpu-modals--conflict-gpu-icon--14ywv"}},3157:function(e,t,n){e.exports={"alert-container":"alert-icon--alert-container--14RlR","alert-icon":"alert-icon--alert-icon--2x5RE"}},3158:function(e,t,n){"use strict";(function(e){Object.defineProperty(t,"__esModule",{value:!0}),t.default=void 0;var r,o,i,a=function(){function e(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}return function(t,n,r){return n&&e(t.prototype,n),r&&e(t,r),t}}(),s=p(n(1)),l=p(n(0)),c=p(n(3159)),u=n(33);function p(e){return e&&e.__esModule?e:{default:e}}var d=e(c.default)((i=o=function(e){function t(){return function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}(this,t),function(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}(this,(t.__proto__||Object.getPrototypeOf(t)).apply(this,arguments))}return function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}(t,s.default.Component),a(t,[{key:"render",value:function(){var e=this;return s.default.createElement(u.Modal,{isOpen:!0,isCloseVisible:!1,style:{overlay:{backgroundColor:"rgba(250, 251, 252, 0.95)",position:"absolute",zIndex:"8"},content:{background:"none",boxShadow:"none"}},parentSelector:function(){return e.props.parent}},s.default.createElement("div",{style:{textAlign:"center"}},s.default.createElement("div",{styleName:"idle-icon"}),s.default.createElement("h2",{styleName:"modal-header"},"Your workspace is idle"),s.default.createElement(u.Button,{styleName:"modal-button",onClick:this.props.onReconnect},"Wake up workspace"),s.default.createElement("p",{styleName:"message"},"If you cannot wake up your workspace, ",s.default.createElement("a",{href:"https://udacity.zendesk.com/hc/en-us/requests/new"},"contact support"))))}}]),t}(),o.propTypes={parent:l.default.object,onReconnect:l.default.func.isRequired},r=i))||r;t.default=d}).call(this,n(5))},3159:function(e,t,n){e.exports={"modal-root":"index--modal-root--oktjb","modal-body":"index--modal-body--alvJB","modal-header":"index--modal-header--W_h0e","modal-message":"index--modal-message--FANI-","modal-footer":"index--modal-footer--t9MIk","modal-button":"index--modal-button--22_PV","idle-icon":"index--idle-icon--YPfw2",message:"index--message--1JJvJ"}},3160:function(e,t,n){"use strict";(function(e){Object.defineProperty(t,"__esModule",{value:!0}),t.default=void 0;var r,o,i,a=function(){function e(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}return function(t,n,r){return n&&e(t.prototype,n),r&&e(t,r),t}}(),s=p(n(0)),l=p(n(1)),c=p(n(3161)),u=p(n(2020));function p(e){return e&&e.__esModule?e:{default:e}}var d=e(c.default)((i=o=function(e){function t(){return function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}(this,t),function(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}(this,(t.__proto__||Object.getPrototypeOf(t)).apply(this,arguments))}return function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}(t,l.default.Component),a(t,[{key:"render",value:function(){var e=this;return l.default.createElement("div",{styleName:"menu"},this.props.allowBackups&&l.default.createElement("div",null,l.default.createElement("div",{styleName:"item",onClick:function(){return e.props.backupsModalOpen()}},l.default.createElement("p",{"data-test":"urws-restore-backups",styleName:"tooltip-button"},"Restore a Backup..."),l.default.createElement("div",{styleName:"notification-container"})),l.default.createElement("div",{styleName:"separator"})),l.default.createElement("div",{styleName:"item",onClick:function(){return e.props.refreshOpen()}},l.default.createElement("p",{"data-test":"refresh-workspace",styleName:"tooltip-button"},"Refresh Workspace..."),l.default.createElement("div",{styleName:"notification-container"})),l.default.createElement("div",{styleName:"separator"}),l.default.createElement("div",{styleName:"item",onClick:function(){return e.props.resetOpen()}},l.default.createElement("p",{"data-test":"reset-workspace",styleName:"tooltip-button"},this.props.isMasterFilesUpdated?"Get New Content...":"Reset Data..."),l.default.createElement("div",{styleName:"notification-container"},this.props.isMasterFilesUpdated&&l.default.createElement(u.default,null))))}}]),t}(),o.propTypes={allowBackups:s.default.bool,backupsModalOpen:s.default.func,isMasterFilesUpdated:s.default.bool,refreshOpen:s.default.func,resetOpen:s.default.func},r=i))||r;t.default=d}).call(this,n(5))},3161:function(e,t,n){e.exports={menu:"menu-tooltip--menu--2N98_",item:"menu-tooltip--item--1QFqg","notification-container":"menu-tooltip--notification-container--3xE9r","tooltip-button":"menu-tooltip--tooltip-button--2URnG",separator:"menu-tooltip--separator--3NaNr",warning:"menu-tooltip--warning--LGGmc"}},3162:function(e,t,n){"use strict";(function(e,r){Object.defineProperty(t,"__esModule",{value:!0}),t.default=void 0;var o,i,a=function(){function e(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}return function(t,n,r){return n&&e(t.prototype,n),r&&e(t,r),t}}(),s=n(33),l=n(3163);var c=e(((i=l)&&i.__esModule?i:{default:i}).default)(o=function(e){function t(){return function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}(this,t),function(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}(this,(t.__proto__||Object.getPrototypeOf(t)).apply(this,arguments))}return function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}(t,r.Component),a(t,[{key:"render",value:function(){var e=this.props,t=e.refreshState,n=e.onRefresh,o=e.close,i=e.parentNode;return r.createElement(s.Modal,{"data-test":"modal-refresh",isOpen:!!t&&"closed"!==t,onRequestClose:o,parentSelector:function(){return i}},r.createElement("div",{styleName:"modal-root"},r.createElement("h2",{styleName:"header"},"Refresh Workspace"),r.createElement("p",{styleName:"modal-message"},"If you are having trouble with your machine, then Refresh Workspace will copy your files to a new machine."),r.createElement("p",{styleName:"modal-message"},"Any file changes you have made will be backed up and then transferred to a new machine."),r.createElement("div",{styleName:"modal-footer"},r.createElement(s.Button,{type:"primary",onClick:function(){return n()}},"Refresh Workspace"))))}}]),t}())||o;t.default=c}).call(this,n(5),n(1))},3163:function(e,t,n){e.exports={"modal-root":"refresh-modal--modal-root--sjHF3","modal-body":"refresh-modal--modal-body--1yLOc","modal-header":"refresh-modal--modal-header--6ZyK9","modal-message":"refresh-modal--modal-message--1EVbt","modal-footer":"refresh-modal--modal-footer--3MWA2","modal-button":"refresh-modal--modal-button--1jtWJ",header:"refresh-modal--header--XvH3g refresh-modal--modal-header--6ZyK9"}},3164:function(e,t,n){"use strict";(function(e,r){Object.defineProperty(t,"__esModule",{value:!0}),t.default=void 0;var o,i=function(){function e(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}return function(t,n,r){return n&&e(t.prototype,n),r&&e(t,r),t}}(),a=n(33),s=u(n(3165)),l=u(n(196)),c=u(n(3167));function u(e){return e&&e.__esModule?e:{default:e}}var p=e(c.default)(o=function(e){function t(){return function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}(this,t),function(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}(this,(t.__proto__||Object.getPrototypeOf(t)).apply(this,arguments))}return function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}(t,r.Component),i(t,[{key:"render",value:function(){var e=this.props,t=e.close,n=e.error,o=e.isOutdated,i=e.onReset,u=e.parentNode,p=e.resetState,d=o?"Update Course Content":"Reset Course Content",f="\n Resetting data will overwrite all your work and\n "+(o?"update the project to the latest content.":"restore the project to the original content.")+"\n Any changes you have made will be overwritten.\n ";return r.createElement(a.Modal,{"data-test":"modal-reset",isOpen:!!p&&"closed"!==p,onRequestClose:t,parentSelector:function(){return u}},function(){if(p){if("waiting"===p||"inProgress"===p)return r.createElement("div",{styleName:"modal-root"},r.createElement("h2",{styleName:"header"},r.createElement(l.default,{className:c.default["reset-warning"],glyph:"warning-xl"}),r.createElement("p",{styleName:"header-subtitle"},d)),r.createElement("p",{styleName:"modal-message"},f),r.createElement("div",{styleName:"modal-message"},r.createElement(s.default,{isBusy:"inProgress"===p,message:"reset data",onConfirm:i})));if("error"===p)return r.createElement("div",{styleName:"modal-body"},r.createElement(l.default,{className:c.default["reset-warning"],glyph:"warning-xl"}),r.createElement("h2",{styleName:"header"},"Error during reset:"),r.createElement("pre",null,n),r.createElement(a.Button,{styleName:"reset-button",onClick:t},"Dismiss"));if("complete"===p)return r.createElement("div",{styleName:"modal-body"},r.createElement("h2",{styleName:"modal-header"},"Data Reset!"),r.createElement(a.Button,{styleName:"modal-button",onClick:t},"Close"))}}())}}]),t}())||o;t.default=p}).call(this,n(5),n(1))},3165:function(e,t,n){"use strict";(function(e){Object.defineProperty(t,"__esModule",{value:!0}),t.default=void 0;var r,o=function(){function e(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}return function(t,n,r){return n&&e(t.prototype,n),r&&e(t,r),t}}(),i=l(n(1)),a=n(33),s=l(n(3166));function l(e){return e&&e.__esModule?e:{default:e}}function c(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}var u=e(s.default)(r=function(e){function t(){var e,n,r;!function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}(this,t);for(var o=arguments.length,i=Array(o),a=0;a<o;a++)i[a]=arguments[a];return n=r=c(this,(e=t.__proto__||Object.getPrototypeOf(t)).call.apply(e,[this].concat(i))),r.state={input:"",warning:null},c(r,n)}return function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}(t,i.default.Component),o(t,[{key:"isInputValid",value:function(){var e=this.state.input.replace(/\W/g,""),t=this.props.message.replace(/\W/g,"");return e.toLowerCase()===t.toLowerCase()}},{key:"onTextInputKeyPress",value:function(e){"Enter"===e.key&&this.confirm()}},{key:"confirm",value:function(){this.isInputValid()?this.props.onConfirm():this.setState({warning:"input does not match"})}},{key:"render",value:function(){var e=this;return i.default.createElement("div",{"data-test":"confirm-button",styleName:"confirm"},i.default.createElement("div",{styleName:"input-container"},i.default.createElement("p",{styleName:"instructions"},"Please type “",i.default.createElement("span",{styleName:"bold"},"reset data"),"” to confirm."),i.default.createElement(a.TextInput,{type:"text",value:this.state.input,error:this.state.warning,isFocus:!0,onChange:function(t){return e.setState({input:t.target.value})},onKeyPress:function(t){return e.onTextInputKeyPress(t)}})),i.default.createElement(a.Button,{isBusy:this.props.isBusy,styleName:"confirm-button",disabled:!this.isInputValid(),label:"Reset Data",onClick:function(){return e.confirm()}}))}}]),t}())||r;t.default=u}).call(this,n(5))},3166:function(e,t,n){e.exports={confirm:"confirm-button--confirm--2cKcn",instructions:"confirm-button--instructions--18-xM",bold:"confirm-button--bold--7NziV","input-container":"confirm-button--input-container--JIn4c","confirm-button":"confirm-button--confirm-button--1hpV1"}},3167:function(e,t,n){e.exports={"modal-root":"reset-modal--modal-root--3yzBz","modal-body":"reset-modal--modal-body--3O2P_","modal-header":"reset-modal--modal-header--gRJme","modal-message":"reset-modal--modal-message--3Yuhy","modal-footer":"reset-modal--modal-footer--1IdTu","modal-button":"reset-modal--modal-button--1k0eS",header:"reset-modal--header--1OXMH reset-modal--modal-header--gRJme","header-subtitle":"reset-modal--header-subtitle--2TrgG reset-modal--modal-header--gRJme","reset-loading":"reset-modal--reset-loading--3HyRw","reset-warning":"reset-modal--reset-warning--3D2tq","reset-button":"reset-modal--reset-button--3ZMjV"}},3168:function(e,t,n){"use strict";(function(e,r){Object.defineProperty(t,"__esModule",{value:!0}),t.default=void 0;var o,i=function(){function e(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}return function(t,n,r){return n&&e(t.prototype,n),r&&e(t,r),t}}(),a=c(n(196)),s=n(33),l=c(n(3169));function c(e){return e&&e.__esModule?e:{default:e}}var u=e(l.default)(o=function(e){function t(){var e;!function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}(this,t);for(var n=arguments.length,r=Array(n),o=0;o<n;o++)r[o]=arguments[o];var i=function(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}(this,(e=t.__proto__||Object.getPrototypeOf(t)).call.apply(e,[this].concat(r)));return i.state={description:"",affirmOwnWork:!1,citedSources:!1,honorCode:!1},i}return function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}(t,r.Component),i(t,[{key:"submit",value:function(){this.props.onSubmit(this.state.description)}},{key:"close",value:function(){this.setState({description:"",affirmOwnWork:!1,citedSources:!1,honorCode:!1}),this.props.close()}},{key:"backToLessons",value:function(){this.close(),this.props.onGoToLessons()}},{key:"buttonDisabled",value:function(){return!(this.state.affirmOwnWork&&this.state.citedSources&&this.state.honorCode)}},{key:"render",value:function(){var e=this,t=this.props,n=t.submitState,o=t.error,i=t.parentNode;return r.createElement(s.Modal,{isOpen:!!n&&"closed"!==n,onRequestClose:function(){return e.close()},parentSelector:function(){return i}},function(){if(n){if("waiting"===n||"inProgress"===n)return r.createElement("div",{styleName:"modal-body"},r.createElement(a.default,{className:l.default["submit-icon"],glyph:"submit-project-xl"}),r.createElement("h2",{styleName:"header"},"Submit Project for Review"),r.createElement("h3",{styleName:"subtitle"},"Are there any areas you would like your reviewer to pay attention to?"),r.createElement(s.Textarea,{style:{margin:"1rem 0"},rows:5,cols:70,value:e.state.description,onChange:function(t){return e.setState({description:t.target.value})}}),r.createElement("h3",{styleName:"subtitle"},"Udacity Honor Code"),r.createElement("div",{styleName:"checkbox-container"},r.createElement(s.Checkbox,{styleName:"checkbox",checked:e.state.affirmOwnWork,onChange:function(t){return e.setState({affirmOwnWork:t.target.checked})}},r.createElement("span",null,"I affirm that I have read Udacity’s definition of ",r.createElement("a",{href:"https://udacity.zendesk.com/hc/en-us",target:"_blank"},"plagiarism"),", and that this submission is my own work.")),r.createElement(s.Checkbox,{styleName:"checkbox",label:"I have correctly attributed all content obtained from other sources, such as websites, books, forums, blogs, GitHub repos, etc.",checked:e.state.citedSources,onChange:function(t){return e.setState({citedSources:t.target.checked})}}),r.createElement(s.Checkbox,{styleName:"checkbox",checked:e.state.honorCode,onChange:function(t){return e.setState({honorCode:t.target.checked})}},r.createElement("span",null,"I understand that Udacity actively checks submissions for plagiarism and that failure to adhere to the ",r.createElement("a",{href:"https://www.udacity.com/legal/community-guidelines",target:"_blank"},"Udacity Honor Code")," may result in the cancellation of my enrollment."))),r.createElement(s.Button,{styleName:"modal-button",disabled:e.buttonDisabled(),isBusy:"inProgress"===n,onClick:function(){return e.submit()}},"Agree and Submit Project"));if("error"===n)return r.createElement("div",{styleName:"modal-body"},r.createElement(a.default,{className:l.default["reset-warning"],glyph:"warning-xl"}),r.createElement("h2",{styleName:"reset-header"},"Error during submission"),r.createElement("pre",{styleName:"error-message"},o),r.createElement(s.Button,{styleName:"modal-button",onClick:function(){return e.close()}},"Dismiss"));if("complete"===n)return r.createElement("div",{styleName:"modal-body"},r.createElement(a.default,{className:l.default["submit-icon"],glyph:"celebrate-xl"}),r.createElement("h2",{styleName:"header"},"Project Submitted"),r.createElement("div",{styleName:"modal-message"},r.createElement("p",{styleName:"message-content"},"We will notify you when your review is complete. You may check the status of your submission in your reviews tool."),r.createElement("p",{styleName:"message-content"},"You can still edit your project, but it will not change the submission under review.")),r.createElement(s.Button,{styleName:"modal-button",onClick:function(){return e.backToLessons()}},"Back To Lessons"))}}())}}]),t}())||o;t.default=u}).call(this,n(5),n(1))},3169:function(e,t,n){e.exports={"modal-root":"submit-modal--modal-root--1uNrB","modal-body":"submit-modal--modal-body--2_JV5","modal-header":"submit-modal--modal-header--1qGpq","modal-message":"submit-modal--modal-message--2oDW4","modal-footer":"submit-modal--modal-footer--1UqSG","modal-button":"submit-modal--modal-button--SA-6a","message-content":"submit-modal--message-content--uIxTU",header:"submit-modal--header--3ydIN submit-modal--modal-header--1qGpq",subtitle:"submit-modal--subtitle--3UFDP","reset-header":"submit-modal--reset-header--iPfN8","checkbox-container":"submit-modal--checkbox-container--3qTnh",checkbox:"submit-modal--checkbox--2whhU","error-message":"submit-modal--error-message--i4YaU","submit-icon":"submit-modal--submit-icon--28OZs","reset-warning":"submit-modal--reset-warning--12fYT"}},3170:function(e,t,n){e.exports={"grade-button":"control-bar--grade-button--1xK5G",narrow:"control-bar--narrow--CykIV","action-button":"control-bar--action-button--3sXJB","finish-button":"control-bar--finish-button--16CUd","inline-attached":"control-bar--inline-attached--3Ux9O","control-bar":"control-bar--control-bar--xQofX","review-button":"control-bar--review-button--3P3f4","tooltip-container":"control-bar--tooltip-container--16Pyl","up-arrow":"control-bar--up-arrow--4z9Yd","error-message":"control-bar--error-message--17axg","submit-icon":"control-bar--submit-icon--3VcDQ","status-container":"control-bar--status-container--2bQlh","menu-text":"control-bar--menu-text--1XDF0","menu-left":"control-bar--menu-left--39Mzn","menu-right":"control-bar--menu-right--2p1lH","left-group":"control-bar--left-group--3GkAw","left-group-upper":"control-bar--left-group-upper--2R8zc","left-group-lower":"control-bar--left-group-lower--2vnx1",status:"control-bar--status--nRAIK",saved:"control-bar--saved--3miOl","saved-check":"control-bar--saved-check--2grMS",alertNotification:"control-bar--alertNotification--2nnvv","expand-fullscreen":"control-bar--expand-fullscreen--jd_hP","fullscreen-controls":"control-bar--fullscreen-controls--23fJf","fullscreen-text":"control-bar--fullscreen-text--3pt7z",checkbox:"control-bar--checkbox--1p6vw","gpu-meter":"control-bar--gpu-meter--3G60H",text:"control-bar--text--1GkiN","gpu-meter--label":"control-bar--gpu-meter--label--3HlyD",dot:"control-bar--dot--2sEdT",conflict:"control-bar--conflict--381uz",running:"control-bar--running--1RYdn",inactive:"control-bar--inactive--3zJ74","gpu-meter--controls":"control-bar--gpu-meter--controls--3XzM_","gpu-meter--time":"control-bar--gpu-meter--time--1KN3U",numbers:"control-bar--numbers--33u6H","numbers--warn":"control-bar--numbers--warn--2orUl","gpu-meter--button":"control-bar--gpu-meter--button--2kvzv",menu:"control-bar--menu--BPrAE"}},3171:function(e,t,n){e.exports={main:"grading--main--2Jevc",message:"grading--message--GWI2v","results-container":"grading--results-container--1vFQg",results:"grading--results--2iW_a",running:"grading--running--DvjvN",failed:"grading--failed--RRSKV","results-header":"grading--results-header--1uXap","results-title":"grading--results-title--4Z-cK","results-details":"grading--results-details--1PXuG","running-passed":"grading--running-passed--1ftV9","running-failed":"grading--running-failed--1e91f","drawer-toggle":"grading--drawer-toggle--2npgm",close:"grading--close--2Ib1y",hide:"grading--hide--1bOok","grading-passed":"grading--grading-passed--3D0LA","next-btn":"grading--next-btn--1HtKX","test-result":"grading--test-result--3LJAr","test-result--failed":"grading--test-result--failed--E2YYP","test-result--passed":"grading--test-result--passed--mDCvG",title:"grading--title--1A8Wd","wrong-mark":"grading--wrong-mark--JAKY3",checkmark:"grading--checkmark--2-0or",assertion:"grading--assertion--1fIBR",stacktrace:"grading--stacktrace--1YLC3","stacktrace--summary":"grading--stacktrace--summary--3VqeT","icon-container":"grading--icon-container--IIfrY",icon:"grading--icon--2Y34y","loading-icon":"grading--loading-icon--JMN0H grading--icon--2Y34y","failed-test-icon":"grading--failed-test-icon--eKZN5 grading--icon--2Y34y","passed-test-icon":"grading--passed-test-icon--qvNwj grading--icon--2Y34y",preview:"grading--preview--3d6Bx","glyph-container":"grading--glyph-container--3WNmu",glyph:"grading--glyph--38gKs","glyph-text":"grading--glyph-text--2ozNL"}},3172:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.initialState=void 0;var r=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var n=arguments[t];for(var r in n)Object.prototype.hasOwnProperty.call(n,r)&&(e[r]=n[r])}return e};t.makeSaga=function(e,t,n,r){var o=r.onBackupStatus,i=r.onBackupDownload,u=r.onLoadArchives,p=r.context,d=r.selectState,f=r.lab,h=r.onChangeGPUMode;return regeneratorRuntime.mark(function r(m,g){var v;return regeneratorRuntime.wrap(function(r){for(;;)switch(r.prev=r.next){case 0:return v=regeneratorRuntime.mark(function e(){return regeneratorRuntime.wrap(function(e){for(;;)switch(e.prev=e.next){case 0:return e.next=2,(0,a.put)(_(g));case 2:case"end":return e.stop()}},e,this)}),r.delegateYield((0,s.makeSaga)(e,t,n,{onBackupStatus:o,onBackupDownload:i,onLoadArchives:u,context:p,selectState:d,saveHook:v,lab:f,onChangeGPUMode:h})(m,g),"t0",2);case 2:if(!n.getConf().autoRefresh){r.next=12;break}return r.t1=a.fork,r.t2=b,r.next=7,(0,a.call)(m);case 7:return r.t3=r.sent,r.t4=t,r.t5=g,r.next=12,(0,r.t1)(r.t2,r.t3,r.t4,r.t5);case 12:return r.t6=a.fork,r.t7=l.saga,r.t8=c.default,r.next=17,(0,a.call)(m);case 17:return r.t9=r.sent,r.t10=g,r.t11=d,r.t12=e.url,r.t13={iframeChannel:r.t8,events:r.t9,scope:r.t10,selectState:r.t11,originUrl:r.t12},r.next=24,(0,r.t6)(r.t7,r.t13);case 24:case"end":return r.stop()}},r,this)})},t.setRenderControl=g,t.testCode=_;var o=n(1842),i=d(o),a=n(137),s=n(1723),l=n(1696),c=d(l),u=n(141),p=n(1635);function d(e){return e&&e.__esModule?e:{default:e}}var f=regeneratorRuntime.mark(b),h="udacity/workspace/react/test-code",m="udacity/workspace/react/set-render-control";function b(e,t,n){var r,o;return regeneratorRuntime.wrap(function(i){for(;;)switch(i.prev=i.next){case 0:return i.next=2,(0,a.call)(Date.now);case 2:return r=i.sent,i.next=5,(0,a.put)(g(r,n));case 5:return i.next=8,(0,a.take)(e);case 8:if(i.sent.type!==h){i.next=17;break}return i.next=12,(0,a.call)(t.editor.saveAllFiles);case 12:return i.next=14,(0,a.call)(Date.now);case 14:return o=i.sent,i.next=17,(0,a.put)(g(o,n));case 17:i.next=5;break;case 19:case"end":return i.stop()}},f,this)}function g(e,t){return{type:m,renderControl:e,scope:t}}function _(e){return{type:h,scope:e}}var v,y,w,x=t.initialState=r({renderControl:Date.now()},s.initialState,{changesSaved:o.initialState,iframeChannel:l.initialState}),k=(0,p.createReducer)(x.renderControl,(w=function(e,t){return t.renderControl},(y=m)in(v={})?Object.defineProperty(v,y,{value:w,enumerable:!0,configurable:!0,writable:!0}):v[y]=w,v)),C=(0,u.combineReducers)(r({},s.reducers,{changesSaved:i.default,iframeChannel:c.default,renderControl:k}));t.default=C},3173:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.ControlledFrame=t.default=void 0;var r=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var n=arguments[t];for(var r in n)Object.prototype.hasOwnProperty.call(n,r)&&(e[r]=n[r])}return e},o=function(){function e(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}return function(t,n,r){return n&&e(t.prototype,n),r&&e(t,r),t}}(),i=s(n(0)),a=s(n(1));function s(e){return e&&e.__esModule?e:{default:e}}function l(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}function c(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}function u(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}var p=function(e){function t(){return l(this,t),c(this,(t.__proto__||Object.getPrototypeOf(t)).apply(this,arguments))}return u(t,a.default.Component),o(t,[{key:"componentDidUpdate",value:function(e){var t=this.props,n=t.changesSaved,r=t.onPostMessage,o=t.originUrl,i=t.iframeId;this.props.iframeReady&&n!==e.changesSaved&&r&&r(i,n,o)}},{key:"onLoad",value:function(){this.props.onFrameReady&&this.props.onFrameReady()}},{key:"render",value:function(){var e=this;return a.default.createElement("iframe",{id:this.props.iframeId,ref:function(t){return e.frame=t},style:this.props.style,src:this.props.url,className:this.props.className,onLoad:function(){return e.onLoad()},seamless:"seamless"})}}],[{key:"propTypes",get:function(){return{className:i.default.string,style:i.default.object,url:i.default.string.isRequired,originUrl:i.default.string.isRequired,onPostMessage:i.default.func,onFrameReady:i.default.func,iframeId:i.default.string,iframeReady:i.default.bool}}}]),t}();t.default=p;t.ControlledFrame=function(e){function t(){return l(this,t),c(this,(t.__proto__||Object.getPrototypeOf(t)).apply(this,arguments))}return u(t,a.default.Component),o(t,[{key:"render",value:function(){var e=this.props.url+"?v="+this.props.renderControl;return a.default.createElement(p,r({key:this.props.renderControl},this.props,{url:e}))}}],[{key:"propTypes",get:function(){return r({renderControl:i.default.number},p.propTypes)}}]),t}()},3174:function(e,t,n){"use strict";(function(e){Object.defineProperty(t,"__esModule",{value:!0}),t.default=void 0;var r,o,i,a,s=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var n=arguments[t];for(var r in n)Object.prototype.hasOwnProperty.call(n,r)&&(e[r]=n[r])}return e},l=function(){function e(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}return function(t,n,r){return n&&e(t.prototype,n),r&&e(t,r),t}}(),c=b(n(1)),u=n(33),p=n(1726),d=b(n(1665)),f=b(n(2021)),h=n(482),m=b(n(1725));function b(e){return e&&e.__esModule?e:{default:e}}var g,_,v,y,w,x,k=(r=e(f.default),o=(0,h.debounce)(300),r((a=function(e){function t(e){!function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}(this,t);var n=function(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}(this,(t.__proto__||Object.getPrototypeOf(t)).call(this,e));return n.state={previewFile:n.props.conf.previewFile},n}return function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}(t,c.default.Component),l(t,null,[{key:"defaultConf",value:function(){return{showFiles:!0,showEditor:!0,previewFile:"/",allowClose:!0,allowSubmit:!1,openFiles:[],disk:null,autoRefresh:!0}}},{key:"editorConf",value:function(e){return s({},e,{allowSubmit:!1,allowClose:!0,showFiles:!0,showEditor:!0})}}]),l(t,[{key:"onChangeShowEditor",value:function(e){this.props.onChangeConf&&this.props.onChangeConf(s({},this.props.conf,{showEditor:e}))}},{key:"onChangeShowFiles",value:function(e){this.props.onChangeConf&&this.props.onChangeConf(s({},this.props.conf,{showFiles:e}))}},{key:"onChangePreviewFile",value:function(e){this.props.onChangeConf&&this.props.onChangeConf(s({},this.props.conf,{previewFile:e}))}},{key:"onChangeAllowSubmit",value:function(e){this.props.onChangeConf&&this.props.onChangeConf(s({},this.props.conf,{allowSubmit:e}))}},{key:"onChangeAllowClose",value:function(e){this.props.onChangeConf&&this.props.onChangeConf(s({},this.props.conf,{allowClose:e}))}},{key:"onChangeAutoRefresh",value:function(e){this.props.onChangeConf&&this.props.onChangeConf(s({},this.props.conf,{autoRefresh:e}))}},{key:"onChangeDiskConf",value:function(e){this.props.onChangeConf&&this.props.onChangeConf(s({},this.props.conf,{disk:e}))}},{key:"updatePreviewFile",value:function(e){this.setState({previewFile:e}),this.onChangePreviewFile(e)}},{key:"render",value:function(){var e=this,n=Object.assign({},t.defaultConf(),this.props.conf);return c.default.createElement("div",{styleName:"control-panel"},c.default.createElement("h2",null,"Configurator"),c.default.createElement("div",{styleName:"controls"},c.default.createElement("div",{styleName:"control"},c.default.createElement(u.Checkbox,{label:"Show Files Panel",checked:n.showFiles,onChange:function(t){return e.onChangeShowFiles(t.target.checked)}})),c.default.createElement("div",{styleName:"control"},c.default.createElement(u.Checkbox,{label:"Show Editor Panel",checked:n.showEditor,onChange:function(t){return e.onChangeShowEditor(t.target.checked)}})),c.default.createElement("div",{styleName:"control"},c.default.createElement(u.Checkbox,{label:"Allow students to close tabs",checked:n.allowClose,onChange:function(t){return e.onChangeAllowClose(t.target.checked)}})),c.default.createElement("div",{styleName:"control"},c.default.createElement(u.Checkbox,{label:"Allow students to submit a project from this workspace",checked:n.allowSubmit,onChange:function(t){return e.onChangeAllowSubmit(t.target.checked)}})),c.default.createElement("div",{styleName:"control"},c.default.createElement(d.default,{disk:n.disk,getDisks:this.props.getDisks,mountFiles:this.props.mountFiles,onChange:function(t){return e.onChangeDiskConf(t)}})),c.default.createElement("div",{styleName:"control"},c.default.createElement(u.Checkbox,{label:"Enable auto refresh of the preview frame on edit",checked:n.autoRefresh,onChange:function(t){return e.onChangeAutoRefresh(t.target.checked)}})),c.default.createElement("div",{styleName:"control"},c.default.createElement(p.TextInput,{id:"preview-file",label:"File to open in preview tab:",type:"text",size:"75",value:this.state.previewFile,onChange:function(t){return e.updatePreviewFile(t.target.value)}})),c.default.createElement("div",{styleName:"control"},c.default.createElement(m.default,{onChangeConf:this.props.onChangeConf,conf:n,makeServer:this.props.makeServer,starId:this.props.starId}))))}}]),t}(),g=a.prototype,_="onChangePreviewFile",v=[o],y=Object.getOwnPropertyDescriptor(a.prototype,"onChangePreviewFile"),w=a.prototype,x={},Object.keys(y).forEach(function(e){x[e]=y[e]}),x.enumerable=!!x.enumerable,x.configurable=!!x.configurable,("value"in x||x.initializer)&&(x.writable=!0),x=v.slice().reverse().reduce(function(e,t){return t(g,_,e)||e},x),w&&void 0!==x.initializer&&(x.value=x.initializer?x.initializer.call(w):void 0,x.initializer=void 0),void 0===x.initializer&&(Object.defineProperty(g,_,x),x=null),i=a))||i);t.default=k}).call(this,n(5))},3175:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.initialState=void 0,t.makeSaga=function(e,t,n,o){var a=o.terminalApi,c=o.context,p=o.selectState;return regeneratorRuntime.mark(function t(o,d){var f,m,b,g;return regeneratorRuntime.wrap(function(t){for(;;)switch(t.prev=t.next){case 0:return f=n.blueprint.conf,m=f.replCommand,b=f.terminalTitle,g=void 0===b?"REPL":b,t.next=3,(0,r.fork)(h,a,m,g);case 3:return t.next=5,(0,r.fork)(i.saga,o,d,n,c,p);case 5:return t.t0=r.fork,t.t1=l.saga,t.next=9,(0,r.call)(o);case 9:return t.t2=t.sent,t.t3=d,t.t4={events:t.t2,scope:t.t3},t.next=14,(0,t.t0)(t.t1,t.t4);case 14:return t.t5=r.fork,t.t6=s.saga,t.next=18,(0,r.call)(o);case 18:return t.t7=t.sent,t.t8=d,t.t9={events:t.t7,scope:t.t8},t.next=23,(0,t.t5)(t.t6,t.t9);case 23:return t.next=25,(0,r.fork)(u.saga,e,d);case 25:case"end":return t.stop()}},t,this)})};var r=n(137),o=n(141),i=n(1655),a=d(i),s=n(1695),l=n(1679),c=d(l),u=n(2016),p=d(u);function d(e){return e&&e.__esModule?e:{default:e}}var f=regeneratorRuntime.mark(h);function h(e,t,n){var o;return regeneratorRuntime.wrap(function(i){for(;;)switch(i.prev=i.next){case 0:return o="\n while true; do\n "+t+'\n echo "------------------"\n echo "Exited repl (you pressed CTRL-D or used exit()); re-running."\n echo "------------------"\n sleep 1\n done;',i.prev=1,i.next=4,(0,r.call)(e.closeTerminal.bind(e),{id:"repl"});case 4:i.next=9;break;case 6:return i.prev=6,i.t0=i.catch(1),i.abrupt("return");case 9:return i.prev=9,i.next=12,(0,r.call)(e.newTerminal.bind(e),{id:"repl",title:n,command:"/bin/bash",args:["-c",o]});case 12:return i.finish(9);case 13:case"end":return i.stop()}},f,this,[[1,6,9,13]])}t.initialState={analytics:i.initialState,connected:u.initialState,refresh:s.initialState,reset:l.initialState};var m=(0,o.combineReducers)({analytics:a.default,connected:p.default,refresh:s.reducer,reset:c.default});t.default=m},3176:function(e,t,n){"use strict";(function(e){Object.defineProperty(t,"__esModule",{value:!0}),t.default=void 0;var r,o,i,a,s,l=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var n=arguments[t];for(var r in n)Object.prototype.hasOwnProperty.call(n,r)&&(e[r]=n[r])}return e},c=function(){function e(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}return function(t,n,r){return n&&e(t.prototype,n),r&&e(t,r),t}}(),u=h(n(1)),p=n(33),d=n(1726),f=n(482);function h(e){return e&&e.__esModule?e:{default:e}}function m(e,t,n,r,o){var i={};return Object.keys(r).forEach(function(e){i[e]=r[e]}),i.enumerable=!!i.enumerable,i.configurable=!!i.configurable,("value"in i||i.initializer)&&(i.writable=!0),i=n.slice().reverse().reduce(function(n,r){return r(e,t,n)||n},i),o&&void 0!==i.initializer&&(i.value=i.initializer?i.initializer.call(o):void 0,i.initializer=void 0),void 0===i.initializer&&(Object.defineProperty(e,t,i),i=null),i}var b=(r=e(h(n(2023)).default),o=(0,f.debounce)(300),i=(0,f.debounce)(300),r((m((s=function(e){function t(e){!function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}(this,t);var n=function(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}(this,(t.__proto__||Object.getPrototypeOf(t)).call(this,e));return n.state={replCommand:n.props.conf.replCommand,terminalTitle:n.props.conf.terminalTitle},n}return function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}(t,u.default.Component),c(t,null,[{key:"defaultConf",value:function(){return{replCommand:"python3 -i",terminalTitle:"REPL",allowClose:!1}}},{key:"editorConf",value:function(e){return l({},e,{allowClose:!0})}}]),c(t,[{key:"updateReplCommand",value:function(e){this.setState({replCommand:e}),this.onChangeReplCommand(e)}},{key:"updateTerminalTitle",value:function(e){this.setState({terminalTitle:e}),this.onChangeTerminalTitle(e)}},{key:"onChangeReplCommand",value:function(e){this.props.onChangeConf&&this.props.onChangeConf(l({},this.props.conf,{replCommand:e}))}},{key:"onChangeTerminalTitle",value:function(e){this.props.onChangeConf&&this.props.onChangeConf(l({},this.props.conf,{terminalTitle:e}))}},{key:"onChangeAllowClose",value:function(e){this.props.onChangeConf&&this.props.onChangeConf(l({},this.props.conf,{allowClose:e}))}},{key:"render",value:function(){var e=this;return u.default.createElement("div",{styleName:"control-panel"},u.default.createElement("h2",null,"Repl Configurator"),u.default.createElement("div",{styleName:"controls"},u.default.createElement("div",{styleName:"control"},u.default.createElement(d.TextInput,{id:"repl-command",label:"Repl Command:",type:"text",value:this.state.replCommand,onChange:function(t){return e.updateReplCommand(t.target.value)}})),u.default.createElement("div",{styleName:"control"},u.default.createElement(d.TextInput,{id:"terminal-title",label:"Terminal Title:",type:"text",value:this.state.terminalTitle,onChange:function(t){return e.updateTerminalTitle(t.target.value)}})),u.default.createElement("div",{styleName:"control"},u.default.createElement(p.Checkbox,{label:"Allow students to close the repl tab and open new tabs",checked:this.props.conf.allowClose,onChange:function(t){return e.onChangeAllowClose(t.target.checked)}}))))}}]),t}()).prototype,"onChangeReplCommand",[o],Object.getOwnPropertyDescriptor(s.prototype,"onChangeReplCommand"),s.prototype),m(s.prototype,"onChangeTerminalTitle",[i],Object.getOwnPropertyDescriptor(s.prototype,"onChangeTerminalTitle"),s.prototype),a=s))||a);t.default=b}).call(this,n(5))},3177:function(e,t,n){e.exports={"control-panel":"index--control-panel--KjxZs",controls:"index--controls--4s_DU",control:"index--control--2KHT4",narrow:"index--narrow--3YQ1M"}},3178:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.initialState=void 0,t.makeSaga=function(e){var t=e.project,n=e.context,r=e.selectState;return regeneratorRuntime.mark(function e(s,c){return regeneratorRuntime.wrap(function(e){for(;;)switch(e.prev=e.next){case 0:return e.next=2,(0,o.fork)(u.saga,s,c,t,n,r);case 2:return e.t0=o.fork,e.t1=i.saga,e.next=6,(0,o.call)(s);case 6:return e.t2=e.sent,e.t3=c,e.t4={events:e.t2,scope:e.t3},e.next=11,(0,e.t0)(e.t1,e.t4);case 11:return e.t5=o.fork,e.t6=a.saga,e.next=15,(0,o.call)(s);case 15:return e.t7=e.sent,e.t8=c,e.t9={events:e.t7,scope:e.t8},e.next=20,(0,e.t5)(e.t6,e.t9);case 20:return e.t10=o.fork,e.t11=l.saga,e.next=24,(0,o.call)(s);case 24:return e.t12=e.sent,e.t13=c,e.t14={events:e.t12,scope:e.t13},e.next=29,(0,e.t10)(e.t11,e.t14);case 29:case"end":return e.stop()}},e,this)})};var r=n(141),o=n(137),i=n(1695),a=n(1679),s=d(a),l=n(1694),c=d(l),u=n(1655),p=d(u);function d(e){return e&&e.__esModule?e:{default:e}}t.initialState={refresh:i.initialState,reset:a.initialState,submit:l.initialState,analytics:u.initialState};t.default=(0,r.combineReducers)({refresh:i.reducer,reset:s.default,submit:c.default,analytics:p.default})},3179:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.initialState=void 0,t.makeSaga=function(e){var t=e.onBackupStatus,n=e.onBackupDownload,o=e.onLoadArchives,l=e.onChangeGPUMode,u=e.server,m=e.project,g=e.context,_=e.selectState,v=e.onChangePort,y=e.lab,w=e.isEditor,x=e.allowGrade,E=m.blueprint.conf.defaultPath;return regeneratorRuntime.mark(function e(S,P){return regeneratorRuntime.wrap(function(e){for(;;)switch(e.prev=e.next){case 0:return e.next=2,(0,a.put)(R(P,{label:k,url:T(u,E)}));case 2:return e.next=4,(0,a.fork)(r.saga,S,P,m,g,_);case 4:return e.next=6,(0,a.fork)(L,{onChangePort:v,scope:P,project:m});case 6:return e.t0=a.fork,e.t1=f.saga,e.next=10,(0,a.call)(S);case 10:return e.t2=e.sent,e.t3=P,e.t4={events:e.t2,scope:e.t3},e.next=15,(0,e.t0)(e.t1,e.t4);case 15:return e.t5=a.fork,e.t6=h.saga,e.next=19,(0,a.call)(S);case 19:return e.t7=e.sent,e.t8=P,e.t9={events:e.t7,scope:e.t8},e.next=24,(0,e.t5)(e.t6,e.t9);case 24:return e.t10=a.fork,e.t11=b.saga,e.next=28,(0,a.call)(S);case 28:return e.t12=e.sent,e.t13=P,e.t14={events:e.t12,scope:e.t13},e.next=33,(0,e.t10)(e.t11,e.t14);case 33:return e.t15=a.fork,e.t16=s.saga,e.t17=l,e.next=38,(0,a.call)(S);case 38:return e.t18=e.sent,e.t19=P,e.t20={onChangeGPUMode:e.t17,events:e.t18,scope:e.t19},e.next=43,(0,e.t15)(e.t16,e.t20);case 43:if(!t){e.next=56;break}return e.t21=a.fork,e.t22=i.saga,e.t23=t,e.t24=n,e.t25=o,e.next=51,(0,a.call)(S);case 51:return e.t26=e.sent,e.t27=P,e.t28={onBackupStatus:e.t23,onBackupDownload:e.t24,onLoadArchives:e.t25,events:e.t26,scope:e.t27},e.next=56,(0,e.t21)(e.t22,e.t28);case 56:if(!y&&!x){e.next=78;break}if(!y){e.next=60;break}return e.next=60,(0,a.fork)(c.saga,{lab:y,eventsFactory:S,scope:P});case 60:return e.t29=a.fork,e.t30=p.saga,e.t31=u,e.t32=d.default,e.next=66,(0,a.call)(S);case 66:return e.t33=e.sent,e.t34=P,e.t35=_,e.t36=y,e.t37={originUrl:e.t31,iframeChannel:e.t32,events:e.t33,scope:e.t34,selectState:e.t35,lab:e.t36},e.next=73,(0,e.t29)(e.t30,e.t37);case 73:if(!w){e.next=78;break}return e.next=76,(0,a.call)(v,O);case 76:return e.next=78,(0,a.put)(R(P,{label:C,url:T(u,E,O)}));case 78:case"end":return e.stop()}},e,this)})};var r=n(1655),o=y(r),i=n(1768),a=n(137),s=n(1724),l=y(s),c=n(1664),u=y(c),p=n(1696),d=y(p),f=n(1695),h=n(1679),m=y(h),b=n(1694),g=y(b),_=n(141),v=n(1635);function y(e){return e&&e.__esModule?e:{default:e}}var w=regeneratorRuntime.mark(L);var x={iframes:[]},k=(t.initialState={refresh:f.initialState,reset:h.initialState,submit:b.initialState,gpu:s.initialState,analytics:r.initialState,backups:i.initialState,grade:c.initialState,editor:x},"Student"),C="Grading",E=[C,k],O=4e3;function T(e,t,n){var r=""+e+t;return n?r.replace(".","-"+n+"."):r}var S,P,M,D="udacity/workspace/jupyter/add-iframe",A=(0,v.createReducer)(x,(M=function(e,t){var n=t.iframeConfig,r=[].concat(function(e){if(Array.isArray(e)){for(var t=0,n=Array(e.length);t<e.length;t++)n[t]=e[t];return n}return Array.from(e)}(e.iframes));return r[E.indexOf(n.label)]=n,{iframes:r}},(P=D)in(S={})?Object.defineProperty(S,P,{value:M,enumerable:!0,configurable:!0,writable:!0}):S[P]=M,S));function R(e,t){return{type:D,scope:e,iframeConfig:t}}function L(e){var t=e.onChangePort,n=e.project.blueprint.conf.ports;return regeneratorRuntime.wrap(function(e){for(;;)switch(e.prev=e.next){case 0:return e.next=2,n.map(function(e){return(0,a.call)(t,e)});case 2:case"end":return e.stop()}},w,this)}t.default=(0,_.combineReducers)({refresh:f.reducer,reset:m.default,submit:g.default,gpu:l.default,analytics:o.default,backups:i.reducer,grade:u.default,editor:A})},3180:function(e,t,n){e.exports={"control-panel":"index--control-panel--3ehpy",controls:"index--controls--33DtE",control:"index--control--3zTqp",narrow:"index--narrow--FUnJ6","tab-label":"index--tab-label--2AL9G","jupyter-container":"index--jupyter-container--2Dbj9","react-tabs":"index--react-tabs---nS77","react-tabs__tab-list":"index--react-tabs__tab-list--1J0s6","react-tabs__tab-list--hidden":"index--react-tabs__tab-list--hidden--1eltG","react-tabs__tab":"index--react-tabs__tab--32W26","react-tabs__tab--selected":"index--react-tabs__tab--selected--34GZ-","react-tabs__tab--disabled":"index--react-tabs__tab--disabled--2FgyE","react-tabs__tab-panel":"index--react-tabs__tab-panel--1zcdk","react-tabs__tab-panel--selected":"index--react-tabs__tab-panel--selected--2RYEI"}},3181:function(e,t,n){"use strict";var r;Object.defineProperty(t,"__esModule",{value:!0}),t.PREVIEW=t.SET_URL=t.initialState=void 0;var o=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var n=arguments[t];for(var r in n)Object.prototype.hasOwnProperty.call(n,r)&&(e[r]=n[r])}return e};t.setUrl=A,t.preview=function(e,t){return{type:P,scope:e,url:t}},t.makeSaga=function(e){var t=e.onBackupStatus,n=e.onBackupDownload,r=e.onLoadArchives,o=e.onChangeGPUMode,a=e.onChangePort,u=e.server,m=e.project,g=e.context,_=e.selectState,v=m.blueprint.conf.defaultPath;return regeneratorRuntime.mark(function e(y,w){return regeneratorRuntime.wrap(function(e){for(;;)switch(e.prev=e.next){case 0:return e.next=2,(0,l.put)(D(w,O(u,v)));case 2:return e.t0=l.fork,e.t1=p.saga,e.t2=u,e.t3=d.default,e.next=8,(0,l.call)(y);case 8:return e.t4=e.sent,e.t5=w,e.t6=_,e.t7=m,e.t8={originUrl:e.t2,iframeChannel:e.t3,events:e.t4,scope:e.t5,selectState:e.t6,project:e.t7},e.next=15,(0,e.t0)(e.t1,e.t8);case 15:return e.next=17,(0,l.fork)(i.saga,y,w,m,g,_);case 17:if(!t){e.next=30;break}return e.t9=l.fork,e.t10=s.saga,e.t11=t,e.t12=n,e.t13=r,e.next=25,(0,l.call)(y);case 25:return e.t14=e.sent,e.t15=w,e.t16={onBackupStatus:e.t11,onBackupDownload:e.t12,onLoadArchives:e.t13,events:e.t14,scope:e.t15},e.next=30,(0,e.t9)(e.t10,e.t16);case 30:return e.t17=l.fork,e.t18=R,e.next=34,(0,l.call)(y);case 34:return e.t19=e.sent,e.next=37,(0,e.t17)(e.t18,e.t19);case 37:return e.next=39,(0,l.fork)(L,{onChangePort:a,scope:w,project:m});case 39:return e.next=41,(0,l.fork)(I,{onChangePort:a,scope:w,project:m});case 41:return e.t20=l.fork,e.t21=h.saga,e.next=45,(0,l.call)(y);case 45:return e.t22=e.sent,e.t23=w,e.t24={events:e.t22,scope:e.t23},e.next=50,(0,e.t20)(e.t21,e.t24);case 50:return e.t25=l.fork,e.t26=f.saga,e.next=54,(0,l.call)(y);case 54:return e.t27=e.sent,e.t28=w,e.t29={events:e.t27,scope:e.t28},e.next=59,(0,e.t25)(e.t26,e.t29);case 59:return e.t30=l.fork,e.t31=b.saga,e.next=63,(0,l.call)(y);case 63:return e.t32=e.sent,e.t33=w,e.t34={events:e.t32,scope:e.t33},e.next=68,(0,e.t30)(e.t31,e.t34);case 68:return e.t35=l.fork,e.t36=c.saga,e.t37=o,e.next=73,(0,l.call)(y);case 73:return e.t38=e.sent,e.t39=w,e.t40={onChangeGPUMode:e.t37,events:e.t38,scope:e.t39},e.next=78,(0,e.t35)(e.t36,e.t40);case 78:case"end":return e.stop()}},e,this)})};var i=n(1655),a=y(i),s=n(1768),l=n(137),c=n(1724),u=y(c),p=n(1696),d=y(p),f=n(1695),h=n(1679),m=y(h),b=n(1694),g=y(b),_=n(141),v=n(1635);function y(e){return e&&e.__esModule?e:{default:e}}var w=regeneratorRuntime.mark(R),x=regeneratorRuntime.mark(L),k=regeneratorRuntime.mark(I);function C(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}var E={};t.initialState={analytics:i.initialState,backups:s.initialState,editor:E,gpu:c.initialState,refresh:f.initialState,reset:h.initialState,submit:b.initialState};function O(e,t,n){var r=""+e+t;return n?r.replace(".","-"+n+"."):r}var T="udacity/workspace/jupyter/set-iframe-url",S=t.SET_URL="udacity/workspace/jupyter/set-url",P=t.PREVIEW="udacity/workspace/jupyter/preview",M=(0,v.createReducer)(E,(C(r={},T,function(e,t){var n=t.iframeUrl;return o({},e,{iframeUrl:n})}),C(r,S,function(e,t){var n=t.url;return o({},e,{url:n})}),r));function D(e,t){return{type:T,scope:e,iframeUrl:t}}function A(e,t){return{type:S,scope:e,url:t}}function R(e){var t;return regeneratorRuntime.wrap(function(n){for(;;)switch(n.prev=n.next){case 0:return n.next=3,(0,l.take)(e);case 3:(t=n.sent).type===P&&window.open(t.url,"_preview_tab"),n.next=0;break;case 7:case"end":return n.stop()}},w,this)}function L(e){var t,n=e.scope,r=e.onChangePort,o=e.project.blueprint.conf.port;return regeneratorRuntime.wrap(function(e){for(;;)switch(e.prev=e.next){case 0:return e.next=2,(0,l.call)(r,o);case 2:return t=e.sent,e.next=5,(0,l.put)(A(n,t));case 5:case"end":return e.stop()}},x,this)}function I(e){var t=e.onChangePort,n=e.project.blueprint.conf.ports;return regeneratorRuntime.wrap(function(e){for(;;)switch(e.prev=e.next){case 0:return e.next=2,n.map(function(e){return(0,l.call)(t,e)});case 2:case"end":return e.stop()}},k,this)}t.default=(0,_.combineReducers)({analytics:a.default,backups:s.reducer,editor:M,iframeChannel:d.default,gpu:u.default,refresh:f.reducer,reset:m.default,submit:g.default})},3182:function(e,t,n){e.exports={"control-panel":"index--control-panel--1pKuC",controls:"index--controls--20YT8",control:"index--control--3fZEf",narrow:"index--narrow--MaLNF","jupyter-container":"index--jupyter-container--2tSXT"}},3183:function(e,t,n){"use strict";(function(e,r){Object.defineProperty(t,"__esModule",{value:!0}),t.default=void 0;var o,i,a,s,l=function(){return function(e,t){if(Array.isArray(e))return e;if(Symbol.iterator in Object(e))return function(e,t){var n=[],r=!0,o=!1,i=void 0;try{for(var a,s=e[Symbol.iterator]();!(r=(a=s.next()).done)&&(n.push(a.value),!t||n.length!==t);r=!0);}catch(e){o=!0,i=e}finally{try{!r&&s.return&&s.return()}finally{if(o)throw i}}return n}(e,t);throw new TypeError("Invalid attempt to destructure non-iterable instance")}}(),c=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var n=arguments[t];for(var r in n)Object.prototype.hasOwnProperty.call(n,r)&&(e[r]=n[r])}return e},u=function(){function e(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}return function(t,n,r){return n&&e(t.prototype,n),r&&e(t,r),t}}(),p=n(33),d=v(n(1705)),f=v(n(1665)),h=v(n(1638)),m=n(1726),b=v(n(3184)),g=n(482),_=v(n(1725));function v(e){return e&&e.__esModule?e:{default:e}}for(var y=[],w=3e3;w<3100;w++)y.push({value:w,label:w});var x,k,C,E,O,T,S=(o=e(b.default),i=(0,g.debounce)(300),o((s=function(e){function t(e){!function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}(this,t);var n=function(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}(this,(t.__proto__||Object.getPrototypeOf(t)).call(this,e));return n.state={terminalTitle:n.props.conf.terminalTitle},n}return function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}(t,r.Component),u(t,null,[{key:"defaultConf",value:function(){return{showFiles:!0,showEditor:!0,allowClose:!0,port:3e3,ports:[],allowSubmit:!1,openFiles:[],disk:null,userCode:"",terminalTitle:"BASH"}}},{key:"editorConf",value:function(e){return c({},e,{showFiles:!0,showEditor:!0,allowSubmit:!1,allowClose:!0})}}]),u(t,[{key:"onChangeShowEditor",value:function(e){this.props.onChangeConf&&this.props.onChangeConf(c({},this.props.conf,{showEditor:e}))}},{key:"onChangeShowFiles",value:function(e){this.props.onChangeConf&&this.props.onChangeConf(c({},this.props.conf,{showFiles:e}))}},{key:"onChangeOpenTerminalOnStartup",value:function(e){this.props.onChangeConf&&this.props.onChangeConf(c({},this.props.conf,{openTerminalOnStartup:e}))}},{key:"onChangeTerminalTitle",value:function(e){this.props.onChangeConf&&this.props.onChangeConf(c({},this.props.conf,{terminalTitle:e}))}},{key:"onChangeAllowClose",value:function(e){this.props.onChangeConf&&this.props.onChangeConf(c({},this.props.conf,{allowClose:e}))}},{key:"onChangePort",value:function(e){this.props.onChangeConf&&this.props.onChangeConf(c({},this.props.conf,{port:e}))}},{key:"onChangeAllowSubmit",value:function(e){this.props.onChangeConf&&this.props.onChangeConf(c({},this.props.conf,{allowSubmit:e}))}},{key:"onChangeDiskConf",value:function(e){this.props.onChangeConf&&this.props.onChangeConf(c({},this.props.conf,{disk:e}))}},{key:"onChangePorts",value:function(e){this.props.onChangeConf&&this.props.onChangeConf(c({},this.props.conf,{ports:e.map(function(e){return e.value})}))}},{key:"onChangeUserCode",value:function(e){this.props.onChangeConf&&this.props.onChangeConf(c({},this.props.conf,{userCode:e}))}},{key:"updateTerminalTitle",value:function(e){this.setState({terminalTitle:e}),this.onChangeTerminalTitle(e)}},{key:"render",value:function(){var e=this,n=Object.assign({},t.defaultConf(),this.props.conf);return r.createElement("div",{styleName:"control-panel"},r.createElement("h2",null,"Configurator"),r.createElement("div",{styleName:"controls"},r.createElement("div",{styleName:"control"},r.createElement(p.Checkbox,{label:"Show files panel",checked:n.showFiles,onChange:function(t){return e.onChangeShowFiles(t.target.checked)}})),r.createElement("div",{styleName:"control"},r.createElement(p.Checkbox,{label:"Show code editor panel",checked:n.showEditor,onChange:function(t){return e.onChangeShowEditor(t.target.checked)}})),r.createElement("div",{styleName:"control"},r.createElement(p.Checkbox,{label:"Open terminal on startup",checked:n.openTerminalOnStartup,onChange:function(t){return e.onChangeOpenTerminalOnStartup(t.target.checked)}})),n.openTerminalOnStartup&&r.createElement("div",{styleName:"control"},r.createElement(m.TextInput,{id:"openTerminalOnStartup",label:"Terminal title:",type:"text",size:"30",value:this.state.terminalTitle,onChange:function(t){return e.updateTerminalTitle(t.target.value)}})),r.createElement("div",{styleName:"control"},r.createElement(p.Checkbox,{label:"Allow students to close tabs",checked:n.allowClose,onChange:function(t){return e.onChangeAllowClose(t.target.checked)}})),r.createElement("div",{styleName:"control"},r.createElement(p.Checkbox,{label:"Allow students to submit a project from this workspace",checked:n.allowSubmit,onChange:function(t){return e.onChangeAllowSubmit(t.target.checked)}})),r.createElement("div",{styleName:"control"},r.createElement(f.default,{disk:n.disk,getDisks:this.props.getDisks,mountFiles:this.props.mountFiles,onChange:function(t){return e.onChangeDiskConf(t)}})),r.createElement("div",{styleName:"control"},r.createElement("label",null,"Port for student preview tab:"),r.createElement(p.TextInput,{styleName:"narrow",type:"number",value:n.port,onChange:function(t){return e.onChangePort(t.target.value)},min:3e3,max:3099})),r.createElement("div",{styleName:"control"},r.createElement("label",null,"Other ports to open (e.g. for backend services):"),r.createElement(h.default,{multi:!0,name:"open-ports",value:n.ports.map(function(e){return{value:e,label:e}}),options:y,onChange:function(t){return e.onChangePorts(t)}})),r.createElement("div",{styleName:"control"},r.createElement(_.default,{makeServer:this.props.makeServer,onChangeConf:this.props.onChangeConf,conf:n,starId:this.props.starId})),r.createElement("div",{styleName:"control"},r.createElement("label",null,"Code to run before bash in every terminal:"),r.createElement(d.default,{ace:{height:"100px"},files:[{text:n.userCode,name:"code.sh"}],onChange:function(t){var n=l(t,1)[0].text;return e.onChangeUserCode(n)}}))))}}]),t}(),x=s.prototype,k="onChangeTerminalTitle",C=[i],E=Object.getOwnPropertyDescriptor(s.prototype,"onChangeTerminalTitle"),O=s.prototype,T={},Object.keys(E).forEach(function(e){T[e]=E[e]}),T.enumerable=!!T.enumerable,T.configurable=!!T.configurable,("value"in T||T.initializer)&&(T.writable=!0),T=C.slice().reverse().reduce(function(e,t){return t(x,k,e)||e},T),O&&void 0!==T.initializer&&(T.value=T.initializer?T.initializer.call(O):void 0,T.initializer=void 0),void 0===T.initializer&&(Object.defineProperty(x,k,T),T=null),a=s))||a);t.default=S}).call(this,n(5),n(1))},3184:function(e,t,n){e.exports={"control-panel":"configurator--control-panel--1Zc90",controls:"configurator--controls--3yS24",control:"configurator--control--2WN8O",narrow:"configurator--narrow--31ffs"}},3185:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.initialState=void 0;var r=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var n=arguments[t];for(var r in n)Object.prototype.hasOwnProperty.call(n,r)&&(e[r]=n[r])}return e};t.makeSaga=function(e,t,n,r){var o=r.onBackupStatus,s=r.onBackupDownload,c=r.onLoadArchives,u=r.terminalApi,p=r.onChangePort,d=r.workspaceLocation,f=r.context,h=r.selectState,m=r.isEditor,b=r.lab,g=r.onChangeGPUMode;return regeneratorRuntime.mark(function r(_,v){return regeneratorRuntime.wrap(function(r){for(;;)switch(r.prev=r.next){case 0:return r.delegateYield((0,i.makeSaga)(e,t,n,{onBackupStatus:o,onBackupDownload:s,onLoadArchives:c,terminalApi:u,onChangePort:p,workspaceLocation:d,context:f,selectState:h,lab:b,onChangeGPUMode:g})(_,v),"t0",1);case 1:return r.next=3,(0,l.call)(a.saga,e,{scope:v,isEditor:m,onChangePort:p,project:n});case 3:case"end":return r.stop()}},r,this)})},n(1719);var o,i=n(1723),a=n(2029),s=(o=a)&&o.__esModule?o:{default:o},l=n(137),c=n(141);t.initialState=r({},i.initialState,{iframeDaemon:a.initialState});var u=(0,c.combineReducers)(r({},i.reducers,{iframeDaemon:s.default}));t.default=u},3186:function(e,t,n){"use strict";(function(e){Object.defineProperty(t,"__esModule",{value:!0}),t.default=void 0;var r,o=function(){return function(e,t){if(Array.isArray(e))return e;if(Symbol.iterator in Object(e))return function(e,t){var n=[],r=!0,o=!1,i=void 0;try{for(var a,s=e[Symbol.iterator]();!(r=(a=s.next()).done)&&(n.push(a.value),!t||n.length!==t);r=!0);}catch(e){o=!0,i=e}finally{try{!r&&s.return&&s.return()}finally{if(o)throw i}}return n}(e,t);throw new TypeError("Invalid attempt to destructure non-iterable instance")}}(),i=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var n=arguments[t];for(var r in n)Object.prototype.hasOwnProperty.call(n,r)&&(e[r]=n[r])}return e},a=function(){function e(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}return function(t,n,r){return n&&e(t.prototype,n),r&&e(t,r),t}}(),s=h(n(1)),l=n(33),c=h(n(1705)),u=h(n(1665)),p=h(n(1638)),d=h(n(1725)),f=h(n(1843));function h(e){return e&&e.__esModule?e:{default:e}}for(var m=[],b=3e3;b<3100;b++)m.push({value:b,label:b});var g=e(f.default)(r=function(e){function t(){return function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}(this,t),function(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}(this,(t.__proto__||Object.getPrototypeOf(t)).apply(this,arguments))}return function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}(t,s.default.Component),a(t,[{key:"onChangeShowFiles",value:function(e){this.props.onChangeConf&&this.props.onChangeConf(i({},this.props.conf,{showFiles:e}))}},{key:"onChangeAllowClose",value:function(e){this.props.onChangeConf&&this.props.onChangeConf(i({},this.props.conf,{allowClose:e}))}},{key:"onChangePort",value:function(e){this.props.onChangeConf&&this.props.onChangeConf(i({},this.props.conf,{port:e}))}},{key:"onChangeDiskConf",value:function(e){this.props.onChangeConf&&this.props.onChangeConf(i({},this.props.conf,{disk:e}))}},{key:"onChangeAllowSubmit",value:function(e){this.props.onChangeConf&&this.props.onChangeConf(i({},this.props.conf,{allowSubmit:e}))}},{key:"onChangePorts",value:function(e){this.props.onChangeConf&&this.props.onChangeConf(i({},this.props.conf,{ports:e.map(function(e){return e.value})}))}},{key:"onChangeDaemon",value:function(e){this.props.onChangeConf&&this.props.onChangeConf(i({},this.props.conf,{daemons:[{id:"daemon",cmd:e}]}))}},{key:"render",value:function(){var e=this,n=Object.assign({},t.defaultConf(),this.props.conf);return s.default.createElement("div",{styleName:"control-panel"},s.default.createElement("h2",null,"Configurator"),s.default.createElement("div",{styleName:"controls"},s.default.createElement("div",{styleName:"control"},s.default.createElement(l.Checkbox,{label:"Show Files Panel",checked:n.showFiles,onChange:function(t){return e.onChangeShowFiles(t.target.checked)}})),s.default.createElement("div",{styleName:"control"},s.default.createElement(l.Checkbox,{label:"Allow students to close tabs",checked:n.allowClose,onChange:function(t){return e.onChangeAllowClose(t.target.checked)}})),s.default.createElement("div",{styleName:"control"},s.default.createElement(l.Checkbox,{label:"Allow students to submit a project from this workspace",checked:n.allowSubmit,onChange:function(t){return e.onChangeAllowSubmit(t.target.checked)}})),s.default.createElement("div",{styleName:"control"},s.default.createElement(u.default,{disk:n.disk,getDisks:this.props.getDisks,mountFiles:this.props.mountFiles,onChange:function(t){return e.onChangeDiskConf(t)}})),s.default.createElement("div",{styleName:"control"},s.default.createElement("label",null,"Port for student preview frame:"),s.default.createElement(l.TextInput,{type:"number",value:n.port,onChange:function(t){return e.onChangePort(t.target.value)},min:3e3,max:3099})),s.default.createElement("div",{styleName:"control"},s.default.createElement("label",null,"Other ports to open (e.g. for backend services):"),s.default.createElement(p.default,{multi:!0,name:"open-ports",value:n.ports.map(function(e){return{value:e,label:e}}),options:m,onChange:function(t){return e.onChangePorts(t)}})),s.default.createElement("div",{styleName:"control"},s.default.createElement(d.default,{onChangeConf:this.props.onChangeConf,conf:n,makeServer:this.props.makeServer,starId:this.props.starId})),s.default.createElement("div",{styleName:"control"},s.default.createElement("label",null,"Code to run in the background:"),s.default.createElement("br",null),s.default.createElement(c.default,{ace:{height:"100px"},files:[{text:n.daemons[0].cmd,name:"daemon.sh"}],onChange:function(t){var n=o(t,1)[0].text;return e.onChangeDaemon(n)}}))))}}],[{key:"defaultConf",value:function(){return{showFiles:!0,allowClose:!0,port:3e3,ports:[],allowSubmit:!1,openFiles:[],disk:null,daemons:[{id:"daemon",cmd:""}]}}},{key:"editorConf",value:function(e){return i({},e,{showFiles:!0,allowSubmit:!1,allowClose:!0})}}]),t}())||r;t.default=g}).call(this,n(5))},3187:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.initialState=void 0;var r=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var n=arguments[t];for(var r in n)Object.prototype.hasOwnProperty.call(n,r)&&(e[r]=n[r])}return e};t.makeSaga=function(e,t,n,r){var o=r.context,i=r.isEditor,p=r.onBackupStatus,d=r.onBackupDownload,f=r.onChangePort,h=r.onLoadArchives,m=r.selectState,b=r.terminalApi,g=r.workspaceLocation;return regeneratorRuntime.mark(function r(_,v){return regeneratorRuntime.wrap(function(r){for(;;)switch(r.prev=r.next){case 0:return r.delegateYield((0,s.makeSaga)(e,t,n,{context:o,onBackupDownload:d,onBackupStatus:p,onChangePort:f,onLoadArchives:h,saveDebounceWait:200,selectState:m,terminalApi:b,workspaceLocation:g})(_,v),"t0",1);case 1:return r.next=3,(0,a.fork)(u.saga,e,{scope:v,isEditor:i,onChangePort:f,project:n});case 3:return r.t1=a.fork,r.t2=l.saga,r.t3=c.default,r.next=8,(0,a.call)(_);case 8:return r.t4=r.sent,r.t5=e.url,r.t6=m,r.t7={iframeChannel:r.t3,events:r.t4,originUrl:r.t5,selectState:r.t6},r.next=14,(0,r.t1)(r.t2,r.t7);case 14:case"end":return r.stop()}},r,this)})},n(1719);var o=n(1842),i=f(o),a=n(137),s=n(1723),l=n(1696),c=f(l),u=n(2029),p=f(u),d=n(141);function f(e){return e&&e.__esModule?e:{default:e}}t.initialState=r({},s.initialState,{changesSaved:o.initialState,iframeChannel:l.initialState,iframeDaemon:u.initialState});var h=(0,d.combineReducers)(r({},s.reducers,{changesSaved:i.default,iframeChannel:c.default,iframeDaemon:p.default}));t.default=h},3188:function(e,t,n){"use strict";(function(e){Object.defineProperty(t,"__esModule",{value:!0}),t.default=void 0;var r,o=function(){return function(e,t){if(Array.isArray(e))return e;if(Symbol.iterator in Object(e))return function(e,t){var n=[],r=!0,o=!1,i=void 0;try{for(var a,s=e[Symbol.iterator]();!(r=(a=s.next()).done)&&(n.push(a.value),!t||n.length!==t);r=!0);}catch(e){o=!0,i=e}finally{try{!r&&s.return&&s.return()}finally{if(o)throw i}}return n}(e,t);throw new TypeError("Invalid attempt to destructure non-iterable instance")}}(),i=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var n=arguments[t];for(var r in n)Object.prototype.hasOwnProperty.call(n,r)&&(e[r]=n[r])}return e},a=function(){function e(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}return function(t,n,r){return n&&e(t.prototype,n),r&&e(t,r),t}}(),s=d(n(1)),l=n(33),c=d(n(1705)),u=d(n(1665)),p=d(n(1725));function d(e){return e&&e.__esModule?e:{default:e}}var f=e(d(n(1843)).default)(r=function(e){function t(){return function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}(this,t),function(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}(this,(t.__proto__||Object.getPrototypeOf(t)).apply(this,arguments))}return function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}(t,s.default.Component),a(t,[{key:"onChangeShowFiles",value:function(e){this.props.onChangeConf&&this.props.onChangeConf(i({},this.props.conf,{showFiles:e}))}},{key:"onChangeAllowClose",value:function(e){this.props.onChangeConf&&this.props.onChangeConf(i({},this.props.conf,{allowClose:e}))}},{key:"onChangeDiskConf",value:function(e){this.props.onChangeConf&&this.props.onChangeConf(i({},this.props.conf,{disk:e}))}},{key:"onChangeDaemon",value:function(e){this.props.onChangeConf&&this.props.onChangeConf(i({},this.props.conf,{daemons:[{id:"daemon",cmd:e}]}))}},{key:"render",value:function(){var e=this,n=Object.assign({},t.defaultConf(),this.props.conf);return s.default.createElement("div",{styleName:"control-panel"},s.default.createElement("h2",null,"Configurator"),s.default.createElement("div",{styleName:"controls"},s.default.createElement("div",{styleName:"control"},s.default.createElement(l.Checkbox,{label:"Show Files Panel",checked:n.showFiles,onChange:function(t){return e.onChangeShowFiles(t.target.checked)}})),s.default.createElement("div",{styleName:"control"},s.default.createElement(l.Checkbox,{label:"Allow students to close tabs",checked:n.allowClose,onChange:function(t){return e.onChangeAllowClose(t.target.checked)}})),s.default.createElement("div",{styleName:"control"},s.default.createElement(u.default,{disk:n.disk,getDisks:this.props.getDisks,mountFiles:this.props.mountFiles,onChange:function(t){return e.onChangeDiskConf(t)}})),s.default.createElement("div",{styleName:"control"},s.default.createElement(p.default,{makeServer:this.props.makeServer,onChangeConf:this.props.onChangeConf,conf:n,starId:this.props.starId})),s.default.createElement("div",{styleName:"control"},s.default.createElement("label",null,"Code to run in the background:"),s.default.createElement("br",null),s.default.createElement(c.default,{ace:{height:"100px"},files:[{text:n.daemons[0].cmd,name:"daemon.sh"}],onChange:function(t){var n=o(t,1)[0].text;return e.onChangeDaemon(n)}}))))}}],[{key:"defaultConf",value:function(){return{showFiles:!1,allowClose:!0,port:3e3,ports:[],allowSubmit:!1,openFiles:[],disk:null,daemons:[{id:"daemon",cmd:""}]}}},{key:"editorConf",value:function(e){return i({},e,{showFiles:!0,allowSubmit:!1,allowClose:!0})}}]),t}())||r;t.default=f}).call(this,n(5))},3189:function(e,t,n){"use strict";(function(e){Object.defineProperty(t,"__esModule",{value:!0}),t.default=t.WorkspaceId=t.ProjectId=void 0;var r=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var n=arguments[t];for(var r in n)Object.prototype.hasOwnProperty.call(n,r)&&(e[r]=n[r])}return e},o=function(){function e(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}return function(t,n,r){return n&&e(t.prototype,n),r&&e(t,r),t}}(),i=l(n(2032)),a=l(n(3191)),s=l(n(2031));function l(e){return e&&e.__esModule?e:{default:e}}var c=t.ProjectId=(0,a.default)("ProjectId"),u=t.WorkspaceId=(0,a.default)("WorkspaceId"),p=function(){function t(n){!function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}(this,t),t.validate(n),n=e.cloneDeep(n),this.id=new c(n.id),this.workspaceId=new u(n.workspaceId),this.blueprint={Blueprint:s.default[n.blueprint.kind],conf:n.blueprint.conf},this.blueprint.Blueprint&&(this.blueprint.conf=r({},this.blueprint.Blueprint.configurator().defaultConf(),this.blueprint.conf))}return o(t,[{key:"clone",value:function(){return new t(this.serialize())}},{key:"serialize",value:function(){return{id:this.id.serialize(),workspaceId:this.workspaceId.serialize(),blueprint:{kind:this.blueprint.Blueprint.kind(),conf:e.cloneDeep(this.blueprint.conf)}}}},{key:"setConf",value:function(e){var t=this.clone();return t.blueprint.conf=e,t}},{key:"getConf",value:function(){return this.blueprint.conf}},{key:"isEqual",value:function(t){return e.isEqual(this,t)}},{key:"isBlueprint",value:function(e){return this.blueprint.Blueprint&&this.kind()===e.kind()}},{key:"kind",value:function(){return this.blueprint.Blueprint.kind()}},{key:"features",value:function(){return this.blueprint.Blueprint.features()}}],[{key:"validate",value:function(e){(0,i.default)("id"in e),c.validate(e.id),(0,i.default)("workspaceId"in e),u.validate(e.workspaceId),(0,i.default)("blueprint"in e&&"kind"in e.blueprint)}}]),t}();t.default=p}).call(this,n(4))},3190:function(e,t,n){"use strict";function r(e,t){if(!e)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return!t||"object"!=typeof t&&"function"!=typeof t?e:t}function o(e){function t(){e.apply(this,arguments)}return t.prototype=Object.create(e.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),Object.setPrototypeOf?Object.setPrototypeOf(t,e):t.__proto__=e,t}n.r(t);var i=function(e){function t(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:"";!function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}(this,t);var n=r(this,(t.__proto__||Object.getPrototypeOf(t)).call(this,e));return Object.defineProperty(n,"message",{configurable:!0,enumerable:!1,value:e,writable:!0}),Object.defineProperty(n,"name",{configurable:!0,enumerable:!1,value:n.constructor.name,writable:!0}),Error.hasOwnProperty("captureStackTrace")?(Error.captureStackTrace(n,n.constructor),r(n)):(Object.defineProperty(n,"stack",{configurable:!0,enumerable:!1,value:new Error(e).stack,writable:!0}),n)}return function(e,t){if("function"!=typeof t&&null!==t)throw new TypeError("Super expression must either be null or a function, not "+typeof t);e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,enumerable:!1,writable:!0,configurable:!0}}),t&&(Object.setPrototypeOf?Object.setPrototypeOf(e,t):e.__proto__=t)}(t,o(Error)),t}();t.default=i},3191:function(e,t,n){"use strict";Object.defineProperty(t,"__esModule",{value:!0});var r=function(){function e(e,t){for(var n=0;n<t.length;n++){var r=t[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,r.key,r)}}return function(t,n,r){return n&&e(t.prototype,n),r&&e(t,r),t}}();t.default=function(e){return function(){function t(n){!function(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}(this,t),t.validate(n),this.id=n,this.type=e}return r(t,[{key:"serialize",value:function(){return this.id}},{key:"clone",value:function(){return new t(this.serialize())}}],[{key:"validate",value:function(e){(0,a.default)("string"==typeof e)}}]),t}()};var o,i=n(2032),a=(o=i)&&o.__esModule?o:{default:o}},3236:function(e,t,n){"use strict";n.r(t);var r={};n.r(r),n.d(r,"take",function(){return K}),n.d(r,"takem",function(){return G}),n.d(r,"put",function(){return V}),n.d(r,"all",function(){return X}),n.d(r,"race",function(){return Y}),n.d(r,"call",function(){return Q}),n.d(r,"apply",function(){return Z}),n.d(r,"cps",function(){return ee}),n.d(r,"fork",function(){return te}),n.d(r,"spawn",function(){return ne}),n.d(r,"join",function(){return re}),n.d(r,"cancel",function(){return oe}),n.d(r,"select",function(){return ie}),n.d(r,"actionChannel",function(){return ae}),n.d(r,"cancelled",function(){return se}),n.d(r,"flush",function(){return le}),n.d(r,"getContext",function(){return ce}),n.d(r,"setContext",function(){return ue}),n.d(r,"takeEvery",function(){return Ie}),n.d(r,"takeLatest",function(){return Fe}),n.d(r,"throttle",function(){return je});var o={};n.r(o),n.d(o,"TASK",function(){return i.e}),n.d(o,"SAGA_ACTION",function(){return i.c}),n.d(o,"noop",function(){return i.u}),n.d(o,"is",function(){return i.q}),n.d(o,"deferred",function(){return i.l}),n.d(o,"arrayOfDeffered",function(){return i.g}),n.d(o,"createMockTask",function(){return i.j}),n.d(o,"cloneableGenerator",function(){return i.i}),n.d(o,"asEffect",function(){return de}),n.d(o,"CHANNEL_END",function(){return be});var i=n(1631),a="Channel's Buffer overflow!",s=1,l=3,c=4,u={isEmpty:i.r,put:i.u,take:i.u};function p(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:10,t=arguments[1],n=new Array(e),r=0,o=0,i=0,u=function(t){n[o]=t,o=(o+1)%e,r++},p=function(){if(0!=r){var t=n[i];return n[i]=null,r--,i=(i+1)%e,t}},d=function(){for(var e=[];r;)e.push(p());return e};return{isEmpty:function(){return 0==r},put:function(p){if(r<e)u(p);else{var f=void 0;switch(t){case s:throw new Error(a);case l:n[o]=p,i=o=(o+1)%e;break;case c:f=2*e,n=d(),r=n.length,o=n.length,i=0,n.length=f,e=f,u(p)}}},take:p,flush:d}}var d={none:function(){return u},fixed:function(e){return p(e,s)},dropping:function(e){return p(e,2)},sliding:function(e){return p(e,l)},expanding:function(e){return p(e,c)}},f=[],h=0;function m(e){try{g(),e()}finally{_()}}function b(e){f.push(e),h||(g(),v())}function g(){h++}function _(){h--}function v(){_();for(var e=void 0;!h&&void 0!==(e=f.shift());)m(e)}var y=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var n=arguments[t];for(var r in n)Object.prototype.hasOwnProperty.call(n,r)&&(e[r]=n[r])}return e},w={type:"@@redux-saga/CHANNEL_END"},x=function(e){return e&&"@@redux-saga/CHANNEL_END"===e.type};var k="invalid buffer passed to channel factory function",C="Saga was provided with an undefined action";function E(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:d.fixed(),t=!1,n=[];function r(){if(t&&n.length)throw Object(i.p)("Cannot have a closed channel with pending takers");if(n.length&&!e.isEmpty())throw Object(i.p)("Cannot have pending takers with non empty buffer")}return Object(i.h)(e,i.q.buffer,k),{take:function(o){r(),Object(i.h)(o,i.q.func,"channel.take's callback must be a function"),t&&e.isEmpty()?o(w):e.isEmpty()?(n.push(o),o.cancel=function(){return Object(i.w)(n,o)}):o(e.take())},put:function(o){if(r(),Object(i.h)(o,i.q.notUndef,C),!t){if(!n.length)return e.put(o);for(var a=0;a<n.length;a++){var s=n[a];if(!s[i.b]||s[i.b](o))return n.splice(a,1),s(o)}}},flush:function(n){r(),Object(i.h)(n,i.q.func,"channel.flush' callback must be a function"),t&&e.isEmpty()?n(w):n(e.flush())},close:function(){if(r(),!t&&(t=!0,n.length)){var e=n;n=[];for(var o=0,i=e.length;o<i;o++)e[o](w)}},get __takers__(){return n},get __closed__(){return t}}}function O(e){var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:d.none(),n=arguments[2];arguments.length>2&&Object(i.h)(n,i.q.func,"Invalid match function passed to eventChannel");var r=E(t),o=function(){r.__closed__||(a&&a(),r.close())},a=e(function(e){x(e)?o():n&&!n(e)||r.put(e)});if(r.__closed__&&a(),!i.q.func(a))throw new Error("in eventChannel: subscribe should return a function to unsubscribe");return{take:r.take,flush:r.flush,close:o}}var T=Object(i.x)("IO"),S="TAKE",P="PUT",M="ALL",D="RACE",A="CALL",R="CPS",L="FORK",I="JOIN",F="CANCEL",j="SELECT",N="ACTION_CHANNEL",B="CANCELLED",U="FLUSH",W="GET_CONTEXT",H="SET_CONTEXT",$="\n(HINT: if you are getting this errors in tests, consider using createMockTask from redux-saga/utils)",z=function(e,t){var n;return(n={})[T]=!0,n[e]=t,n},q=function(e){return Object(i.h)(de.fork(e),i.q.object,"detach(eff): argument must be a fork effect"),e[L].detached=!0,e};function K(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:"*";if(arguments.length&&Object(i.h)(arguments[0],i.q.notUndef,"take(patternOrChannel): patternOrChannel is undefined"),i.q.pattern(e))return z(S,{pattern:e});if(i.q.channel(e))return z(S,{channel:e});throw new Error("take(patternOrChannel): argument "+String(e)+" is not valid channel or a valid pattern")}K.maybe=function(){var e=K.apply(void 0,arguments);return e[S].maybe=!0,e};var G=Object(i.n)(K.maybe,Object(i.z)("takem","take.maybe"));function V(e,t){return arguments.length>1?(Object(i.h)(e,i.q.notUndef,"put(channel, action): argument channel is undefined"),Object(i.h)(e,i.q.channel,"put(channel, action): argument "+e+" is not a valid channel"),Object(i.h)(t,i.q.notUndef,"put(channel, action): argument action is undefined")):(Object(i.h)(e,i.q.notUndef,"put(action): argument action is undefined"),t=e,e=null),z(P,{channel:e,action:t})}function X(e){return z(M,e)}function Y(e){return z(D,e)}function J(e,t,n){Object(i.h)(t,i.q.notUndef,e+": argument fn is undefined");var r=null;if(i.q.array(t)){var o=t;r=o[0],t=o[1]}else if(t.fn){var a=t;r=a.context,t=a.fn}return r&&i.q.string(t)&&i.q.func(r[t])&&(t=r[t]),Object(i.h)(t,i.q.func,e+": argument "+t+" is not a function"),{context:r,fn:t,args:n}}function Q(e){for(var t=arguments.length,n=Array(t>1?t-1:0),r=1;r<t;r++)n[r-1]=arguments[r];return z(A,J("call",e,n))}function Z(e,t){var n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:[];return z(A,J("apply",{context:e,fn:t},n))}function ee(e){for(var t=arguments.length,n=Array(t>1?t-1:0),r=1;r<t;r++)n[r-1]=arguments[r];return z(R,J("cps",e,n))}function te(e){for(var t=arguments.length,n=Array(t>1?t-1:0),r=1;r<t;r++)n[r-1]=arguments[r];return z(L,J("fork",e,n))}function ne(e){for(var t=arguments.length,n=Array(t>1?t-1:0),r=1;r<t;r++)n[r-1]=arguments[r];return q(te.apply(void 0,[e].concat(n)))}function re(){for(var e=arguments.length,t=Array(e),n=0;n<e;n++)t[n]=arguments[n];if(t.length>1)return X(t.map(function(e){return re(e)}));var r=t[0];return Object(i.h)(r,i.q.notUndef,"join(task): argument task is undefined"),Object(i.h)(r,i.q.task,"join(task): argument "+r+" is not a valid Task object "+$),z(I,r)}function oe(){for(var e=arguments.length,t=Array(e),n=0;n<e;n++)t[n]=arguments[n];if(t.length>1)return X(t.map(function(e){return oe(e)}));var r=t[0];return 1===t.length&&(Object(i.h)(r,i.q.notUndef,"cancel(task): argument task is undefined"),Object(i.h)(r,i.q.task,"cancel(task): argument "+r+" is not a valid Task object "+$)),z(F,r||i.d)}function ie(e){for(var t=arguments.length,n=Array(t>1?t-1:0),r=1;r<t;r++)n[r-1]=arguments[r];return 0===arguments.length?e=i.o:(Object(i.h)(e,i.q.notUndef,"select(selector,[...]): argument selector is undefined"),Object(i.h)(e,i.q.func,"select(selector,[...]): argument "+e+" is not a function")),z(j,{selector:e,args:n})}function ae(e,t){return Object(i.h)(e,i.q.notUndef,"actionChannel(pattern,...): argument pattern is undefined"),arguments.length>1&&(Object(i.h)(t,i.q.notUndef,"actionChannel(pattern, buffer): argument buffer is undefined"),Object(i.h)(t,i.q.buffer,"actionChannel(pattern, buffer): argument "+t+" is not a valid buffer")),z(N,{pattern:e,buffer:t})}function se(){return z(B,{})}function le(e){return Object(i.h)(e,i.q.channel,"flush(channel): argument "+e+" is not valid channel"),z(U,e)}function ce(e){return Object(i.h)(e,i.q.string,"getContext(prop): argument "+e+" is not a string"),z(W,e)}function ue(e){return Object(i.h)(e,i.q.object,Object(i.k)(null,e)),z(H,e)}V.resolve=function(){var e=V.apply(void 0,arguments);return e[P].resolve=!0,e},V.sync=Object(i.n)(V.resolve,Object(i.z)("put.sync","put.resolve"));var pe=function(e){return function(t){return t&&t[T]&&t[e]}},de={take:pe(S),put:pe(P),all:pe(M),race:pe(D),call:pe(A),cps:pe(R),fork:pe(L),join:pe(I),cancel:pe(F),select:pe(j),actionChannel:pe(N),cancelled:pe(B),flush:pe(U),getContext:pe(W),setContext:pe(H)},fe=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var n=arguments[t];for(var r in n)Object.prototype.hasOwnProperty.call(n,r)&&(e[r]=n[r])}return e},he="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e};var me="proc first argument (Saga function result) must be an iterator",be={toString:function(){return"@@redux-saga/CHANNEL_END"}},ge={toString:function(){return"@@redux-saga/TASK_CANCEL"}},_e={wildcard:function(){return i.r},default:function(e){return"symbol"===(void 0===e?"undefined":he(e))?function(t){return t.type===e}:function(t){return t.type===String(e)}},array:function(e){return function(t){return e.some(function(e){return ve(e)(t)})}},predicate:function(e){return function(t){return e(t)}}};function ve(e){return("*"===e?_e.wildcard:i.q.array(e)?_e.array:i.q.stringableFunc(e)?_e.default:i.q.func(e)?_e.predicate:_e.default)(e)}var ye=function(e){return{fn:e}};function we(e){var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:function(){return i.u},n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:i.u,r=arguments.length>3&&void 0!==arguments[3]?arguments[3]:i.u,o=arguments.length>4&&void 0!==arguments[4]?arguments[4]:{},a=arguments.length>5&&void 0!==arguments[5]?arguments[5]:{},s=arguments.length>6&&void 0!==arguments[6]?arguments[6]:0,l=arguments.length>7&&void 0!==arguments[7]?arguments[7]:"anonymous",c=arguments[8];Object(i.h)(e,i.q.iterator,me);var u=Object(i.n)(I,Object(i.z)("[...effects]","all([...effects])")),p=a.sagaMonitor,f=a.logger,h=a.onError,m=f||i.s,_=function(e){var t=e.sagaStack;!t&&e.stack&&(t=-1!==e.stack.split("\n")[0].indexOf(e.message)?e.stack:"Error: "+e.message+"\n"+e.stack),m("error","uncaught at "+l,t||e.message||e)},w=function(e){var t=O(function(t){return e(function(e){e[i.c]?t(e):b(function(){return t(e)})})});return y({},t,{take:function(e,n){arguments.length>1&&(Object(i.h)(n,i.q.func,"channel.take's matcher argument must be a function"),e[i.b]=n),t.take(e)}})}(t),k=Object.create(o);P.cancel=i.u;var C=function(e,t,n,r){var o,a;return n._deferredEnd=null,(o={})[i.e]=!0,o.id=e,o.name=t,"done",(a={}).done=a.done||{},a.done.get=function(){if(n._deferredEnd)return n._deferredEnd.promise;var e=Object(i.l)();return n._deferredEnd=e,n._isRunning||(n._error?e.reject(n._error):e.resolve(n._result)),e.promise},o.cont=r,o.joiners=[],o.cancel=S,o.isRunning=function(){return n._isRunning},o.isCancelled=function(){return n._isCancelled},o.isAborted=function(){return n._isAborted},o.result=function(){return n._result},o.error=function(){return n._error},o.setContext=function(e){Object(i.h)(e,i.q.object,Object(i.k)("task",e)),i.v.assign(k,e)},function(e,t){for(var n in t){var r=t[n];r.configurable=r.enumerable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(e,n,r)}}(o,a),o}(s,l,e,c),E={name:l,cancel:function(){E.isRunning&&!E.isCancelled&&(E.isCancelled=!0,P(ge))},isRunning:!0},T=function(e,t,n){var r=[],o=void 0,a=!1;function s(e){c(),n(e,!0)}function l(e){r.push(e),e.cont=function(l,c){a||(Object(i.w)(r,e),e.cont=i.u,c?s(l):(e===t&&(o=l),r.length||(a=!0,n(o))))}}function c(){a||(a=!0,r.forEach(function(e){e.cont=i.u,e.cancel()}),r=[])}return l(t),{addTask:l,cancelAll:c,abort:s,getTasks:function(){return r},taskNames:function(){return r.map(function(e){return e.name})}}}(0,E,M);function S(){e._isRunning&&!e._isCancelled&&(e._isCancelled=!0,T.cancelAll(),M(ge))}return c&&(c.cancel=S),e._isRunning=!0,P(),C;function P(t,n){if(!E.isRunning)throw new Error("Trying to resume an already finished generator");try{var r=void 0;n?r=e.throw(t):t===ge?(E.isCancelled=!0,P.cancel(),r=i.q.func(e.return)?e.return(ge):{done:!0,value:ge}):r=t===be?i.q.func(e.return)?e.return():{done:!0}:e.next(t),r.done?(E.isMainRunning=!1,E.cont&&E.cont(r.value)):D(r.value,s,"",P)}catch(e){E.isCancelled&&_(e),E.isMainRunning=!1,E.cont(e,!0)}}function M(t,n){e._isRunning=!1,w.close(),n?(t instanceof Error&&Object.defineProperty(t,"sagaStack",{value:"at "+l+" \n "+(t.sagaStack||t.stack),configurable:!0}),C.cont||(t instanceof Error&&h?h(t):_(t)),e._error=t,e._isAborted=!0,e._deferredEnd&&e._deferredEnd.reject(t)):(e._result=t,e._deferredEnd&&e._deferredEnd.resolve(t)),C.cont&&C.cont(t,n),C.joiners.forEach(function(e){return e.cb(t,n)}),C.joiners=null}function D(e,o){var a=arguments.length>2&&void 0!==arguments[2]?arguments[2]:"",s=arguments[3],c=Object(i.y)();p&&p.effectTriggered({effectId:c,parentEffectId:o,label:a,effect:e});var f=void 0;function h(e,t){f||(f=!0,s.cancel=i.u,p&&(t?p.effectRejected(c,e):p.effectResolved(c,e)),s(e,t))}h.cancel=i.u,s.cancel=function(){if(!f){f=!0;try{h.cancel()}catch(e){_(e)}h.cancel=i.u,p&&p.effectCancelled(c)}};var m=void 0;return i.q.promise(e)?A(e,h):i.q.helper(e)?L(ye(e),c,h):i.q.iterator(e)?R(e,c,l,h):i.q.array(e)?u(e,c,h):(m=de.take(e))?function(e,t){var n=e.channel,r=e.pattern,o=e.maybe;n=n||w;var i=function(e){return e instanceof Error?t(e,!0):x(e)&&!o?t(be):t(e)};try{n.take(i,ve(r))}catch(e){return t(e,!0)}t.cancel=i.cancel}(m,h):(m=de.put(e))?function(e,t){var r=e.channel,o=e.action,a=e.resolve;b(function(){var e=void 0;try{e=(r?r.put:n)(o)}catch(e){if(r||a)return t(e,!0);_(e)}if(!a||!i.q.promise(e))return t(e);A(e,t)})}(m,h):(m=de.all(e))?I(m,c,h):(m=de.race(e))?function(e,t,n){var r=void 0,o=Object.keys(e),a={};o.forEach(function(t){var s=function(a,s){if(!r)if(s)n.cancel(),n(a,!0);else if(!x(a)&&a!==be&&a!==ge){var l;n.cancel(),r=!0;var c=((l={})[t]=a,l);n(i.q.array(e)?[].slice.call(fe({},c,{length:o.length})):c)}};s.cancel=i.u,a[t]=s}),n.cancel=function(){r||(r=!0,o.forEach(function(e){return a[e].cancel()}))},o.forEach(function(n){r||D(e[n],t,n,a[n])})}(m,c,h):(m=de.call(e))?function(e,t,n){var r=e.context,o=e.fn,a=e.args,s=void 0;try{s=o.apply(r,a)}catch(e){return n(e,!0)}return i.q.promise(s)?A(s,n):i.q.iterator(s)?R(s,t,o.name,n):n(s)}(m,c,h):(m=de.cps(e))?function(e,t){var n=e.context,r=e.fn,o=e.args;try{var a=function(e,n){return i.q.undef(e)?t(n):t(e,!0)};r.apply(n,o.concat(a)),a.cancel&&(t.cancel=function(){return a.cancel()})}catch(e){return t(e,!0)}}(m,h):(m=de.fork(e))?L(m,c,h):(m=de.join(e))?function(e,t){if(e.isRunning()){var n={task:C,cb:t};t.cancel=function(){return Object(i.w)(e.joiners,n)},e.joiners.push(n)}else e.isAborted()?t(e.error(),!0):t(e.result())}(m,h):(m=de.cancel(e))?function(e,t){e===i.d&&(e=C);e.isRunning()&&e.cancel();t()}(m,h):(m=de.select(e))?function(e,t){var n=e.selector,o=e.args;try{var i=n.apply(void 0,[r()].concat(o));t(i)}catch(e){t(e,!0)}}(m,h):(m=de.actionChannel(e))?function(e,n){var r=e.pattern,o=e.buffer,i=ve(r);i.pattern=r,n(O(t,o||d.fixed(),i))}(m,h):(m=de.flush(e))?function(e,t){e.flush(t)}(m,h):(m=de.cancelled(e))?function(e,t){t(!!E.isCancelled)}(0,h):(m=de.getContext(e))?function(e,t){t(k[e])}(m,h):(m=de.setContext(e))?function(e,t){i.v.assign(k,e),t()}(m,h):h(e)}function A(e,t){var n=e[i.a];i.q.func(n)?t.cancel=n:i.q.func(e.abort)&&(t.cancel=function(){return e.abort()}),e.then(t,function(e){return t(e,!0)})}function R(e,o,i,s){we(e,t,n,r,k,a,o,i,s)}function L(e,o,s){var l=e.context,c=e.fn,u=e.args,p=e.detached,d=function(e){var t=e.context,n=e.fn,r=e.args;if(i.q.iterator(n))return n;var o,a,s=void 0,l=void 0;try{s=n.apply(t,r)}catch(e){l=e}return i.q.iterator(s)?s:l?Object(i.t)(function(){throw l}):Object(i.t)((o=void 0,a={done:!1,value:s},function(e){return o?{done:!0,value:e}:(o=!0,a)}))}({context:l,fn:c,args:u});try{g();var f=we(d,t,n,r,k,a,o,c.name,p?null:i.u);p?s(f):d._isRunning?(T.addTask(f),s(f)):d._error?T.abort(d._error):s(f)}finally{v()}}function I(e,t,n){var r=Object.keys(e);if(!r.length)return n(i.q.array(e)?[]:{});var o=0,a=void 0,s={},l={};r.forEach(function(t){var c=function(l,c){a||(c||x(l)||l===be||l===ge?(n.cancel(),n(l,c)):(s[t]=l,++o===r.length&&(a=!0,n(i.q.array(e)?i.f.from(fe({},s,{length:r.length})):s))))};c.cancel=i.u,l[t]=c}),n.cancel=function(){a||(a=!0,r.forEach(function(e){return l[e].cancel()}))},r.forEach(function(n){return D(e[n],t,n,l[n])})}}var xe="runSaga(storeInterface, saga, ...args): saga argument must be a Generator function!";function ke(e,t){for(var n=arguments.length,r=Array(n>2?n-2:0),o=2;o<n;o++)r[o-2]=arguments[o];var a=void 0;i.q.iterator(e)?(a=e,e=t):(Object(i.h)(t,i.q.func,xe),a=t.apply(void 0,r),Object(i.h)(a,i.q.iterator,xe));var s=e,l=s.subscribe,c=s.dispatch,u=s.getState,p=s.context,d=s.sagaMonitor,f=s.logger,h=s.onError,m=Object(i.y)();d&&(d.effectTriggered=d.effectTriggered||i.u,d.effectResolved=d.effectResolved||i.u,d.effectRejected=d.effectRejected||i.u,d.effectCancelled=d.effectCancelled||i.u,d.actionDispatched=d.actionDispatched||i.u,d.effectTriggered({effectId:m,root:!0,parentEffectId:0,effect:{root:!0,saga:t,args:r}}));var b=we(a,l,Object(i.A)(c),u,p,{sagaMonitor:d,logger:f,onError:h},m,t.name);return d&&d.effectResolved(m,b),b}var Ce={done:!0,value:void 0},Ee={};function Oe(e){return i.q.channel(e)?"channel":Array.isArray(e)?String(e.map(function(e){return String(e)})):String(e)}function Te(e,t){var n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:"iterator",r=void 0,o=t;function a(t,n){if(o===Ee)return Ce;if(n)throw o=Ee,n;r&&r(t);var i=e[o](),a=i[0],s=i[1],l=i[2];return r=l,(o=a)===Ee?Ce:s}return Object(i.t)(a,function(e){return a(null,e)},n,!0)}function Se(e,t){for(var n=arguments.length,r=Array(n>2?n-2:0),o=2;o<n;o++)r[o-2]=arguments[o];var i={done:!1,value:K(e)},a=void 0,s=function(e){return a=e};return Te({q1:function(){return["q2",i,s]},q2:function(){return a===w?[Ee]:["q1",(e=a,{done:!1,value:te.apply(void 0,[t].concat(r,[e]))})];var e}},"q1","takeEvery("+Oe(e)+", "+t.name+")")}function Pe(e,t){for(var n=arguments.length,r=Array(n>2?n-2:0),o=2;o<n;o++)r[o-2]=arguments[o];var i={done:!1,value:K(e)},a=function(e){return{done:!1,value:te.apply(void 0,[t].concat(r,[e]))}},s=function(e){return{done:!1,value:oe(e)}},l=void 0,c=void 0,u=function(e){return l=e},p=function(e){return c=e};return Te({q1:function(){return["q2",i,p]},q2:function(){return c===w?[Ee]:l?["q3",s(l)]:["q1",a(c),u]},q3:function(){return["q1",a(c),u]}},"q1","takeLatest("+Oe(e)+", "+t.name+")")}function Me(e,t,n){for(var r=arguments.length,o=Array(r>3?r-3:0),a=3;a<r;a++)o[a-3]=arguments[a];var s=void 0,l=void 0,c={done:!1,value:ae(t,d.sliding(1))},u={done:!1,value:Q(i.m,e)},p=function(e){return s=e},f=function(e){return l=e};return Te({q1:function(){return["q2",c,f]},q2:function(){return["q3",{done:!1,value:K(l)},p]},q3:function(){return s===w?[Ee]:["q4",(e=s,{done:!1,value:te.apply(void 0,[n].concat(o,[e]))})];var e},q4:function(){return["q2",u]}},"q1","throttle("+Oe(t)+", "+n.name+")")}var De=function(e){return"import { "+e+" } from 'redux-saga' has been deprecated in favor of import { "+e+" } from 'redux-saga/effects'.\nThe latter will not work with yield*, as helper effects are wrapped automatically for you in fork effect.\nTherefore yield "+e+" will return task descriptor to your saga and execute next lines of code."},Ae=Object(i.n)(Se,De("takeEvery")),Re=Object(i.n)(Pe,De("takeLatest")),Le=Object(i.n)(Me,De("throttle"));function Ie(e,t){for(var n=arguments.length,r=Array(n>2?n-2:0),o=2;o<n;o++)r[o-2]=arguments[o];return te.apply(void 0,[Se,e,t].concat(r))}function Fe(e,t){for(var n=arguments.length,r=Array(n>2?n-2:0),o=2;o<n;o++)r[o-2]=arguments[o];return te.apply(void 0,[Pe,e,t].concat(r))}function je(e,t,n){for(var r=arguments.length,o=Array(r>3?r-3:0),i=3;i<r;i++)o[i-3]=arguments[i];return te.apply(void 0,[Me,e,t,n].concat(o))}n.d(t,"runSaga",function(){return ke}),n.d(t,"END",function(){return w}),n.d(t,"eventChannel",function(){return O}),n.d(t,"channel",function(){return E}),n.d(t,"buffers",function(){return d}),n.d(t,"takeEvery",function(){return Ae}),n.d(t,"takeLatest",function(){return Re}),n.d(t,"throttle",function(){return Le}),n.d(t,"delay",function(){return i.m}),n.d(t,"CANCEL",function(){return i.a}),n.d(t,"detach",function(){return q}),n.d(t,"effects",function(){return r}),n.d(t,"utils",function(){return o});t.default=function(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},t=e.context,n=void 0===t?{}:t,r=function(e,t){var n={};for(var r in e)t.indexOf(r)>=0||Object.prototype.hasOwnProperty.call(e,r)&&(n[r]=e[r]);return n}(e,["context"]),o=r.sagaMonitor,a=r.logger,s=r.onError;if(i.q.func(r))throw new Error("Saga middleware no longer accept Generator functions. Use sagaMiddleware.run instead");if(a&&!i.q.func(a))throw new Error("`options.logger` passed to the Saga middleware is not a function!");if(s&&!i.q.func(s))throw new Error("`options.onError` passed to the Saga middleware is not a function!");if(r.emitter&&!i.q.func(r.emitter))throw new Error("`options.emitter` passed to the Saga middleware is not a function!");function l(e){var t,c=e.getState,u=e.dispatch,p=(t=[],{subscribe:function(e){return t.push(e),function(){return Object(i.w)(t,e)}},emit:function(e){for(var n=t.slice(),r=0,o=n.length;r<o;r++)n[r](e)}});return p.emit=(r.emitter||i.o)(p.emit),l.run=ke.bind(null,{context:n,subscribe:p.subscribe,dispatch:u,getState:c,sagaMonitor:o,logger:a,onError:s}),function(e){return function(t){o&&o.actionDispatched&&o.actionDispatched(t);var n=e(t);return p.emit(t),n}}}return l.run=function(){throw new Error("Before running a Saga, you must mount the Saga middleware on the Store using applyMiddleware")},l.setContext=function(e){Object(i.h)(e,i.q.object,Object(i.k)("sagaMiddleware",e)),i.v.assign(n,e)},l}},3237:function(e,t,n){"use strict";n.r(t);n(0);var r=n(1),o=n.n(r);function i(e){return e.type&&"Tab"===e.type.tabsRole}function a(e){return e.type&&"TabPanel"===e.type.tabsRole}function s(e){return e.type&&"TabList"===e.type.tabsRole}function l(e,t,n){return t in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}function c(e,t){return r.Children.map(e,function(e){return null===e?null:function(e){return i(e)||s(e)||a(e)}(e)?t(e):e.props&&e.props.children&&"object"==typeof e.props.children?Object(r.cloneElement)(e,function(e){for(var t=1;t<arguments.length;t++){var n=null!=arguments[t]?arguments[t]:{},r=Object.keys(n);"function"==typeof Object.getOwnPropertySymbols&&(r=r.concat(Object.getOwnPropertySymbols(n).filter(function(e){return Object.getOwnPropertyDescriptor(n,e).enumerable}))),r.forEach(function(t){l(e,t,n[t])})}return e}({},e.props,{children:c(e.props.children,t)})):e})}function u(e,t){return r.Children.forEach(e,function(e){null!==e&&(i(e)||a(e)?t(e):e.props&&e.props.children&&"object"==typeof e.props.children&&(s(e)&&t(e),u(e.props.children,t)))})}var p,d=n(64),f=n.n(d),h=0;function m(){return"react-tabs-"+h++}function b(){h=0}function g(e){var t=0;return u(e,function(e){i(e)&&t++}),t}function _(){return(_=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var n=arguments[t];for(var r in n)Object.prototype.hasOwnProperty.call(n,r)&&(e[r]=n[r])}return e}).apply(this,arguments)}function v(e){return"getAttribute"in e&&"tab"===e.getAttribute("role")}function y(e){return"true"===e.getAttribute("aria-disabled")}try{p=!("undefined"==typeof window||!window.document||!window.document.activeElement)}catch(e){p=!1}var w=function(e){var t,n;function l(){for(var t,n=arguments.length,r=new Array(n),o=0;o<n;o++)r[o]=arguments[o];return(t=e.call.apply(e,[this].concat(r))||this).tabNodes=[],t.handleKeyDown=function(e){if(t.isTabFromContainer(e.target)){var n=t.props.selectedIndex,r=!1,o=!1;32!==e.keyCode&&13!==e.keyCode||(r=!0,o=!1,t.handleClick(e)),37===e.keyCode||38===e.keyCode?(n=t.getPrevTab(n),r=!0,o=!0):39===e.keyCode||40===e.keyCode?(n=t.getNextTab(n),r=!0,o=!0):35===e.keyCode?(n=t.getLastTab(),r=!0,o=!0):36===e.keyCode&&(n=t.getFirstTab(),r=!0,o=!0),r&&e.preventDefault(),o&&t.setSelected(n,e)}},t.handleClick=function(e){var n=e.target;do{if(t.isTabFromContainer(n)){if(y(n))return;var r=[].slice.call(n.parentNode.children).filter(v).indexOf(n);return void t.setSelected(r,e)}}while(null!==(n=n.parentNode))},t}n=e,(t=l).prototype=Object.create(n.prototype),t.prototype.constructor=t,t.__proto__=n;var d=l.prototype;return d.setSelected=function(e,t){if(!(e<0||e>=this.getTabsCount())){var n=this.props;(0,n.onSelect)(e,n.selectedIndex,t)}},d.getNextTab=function(e){for(var t=this.getTabsCount(),n=e+1;n<t;n++)if(!y(this.getTab(n)))return n;for(var r=0;r<e;r++)if(!y(this.getTab(r)))return r;return e},d.getPrevTab=function(e){for(var t=e;t--;)if(!y(this.getTab(t)))return t;for(t=this.getTabsCount();t-- >e;)if(!y(this.getTab(t)))return t;return e},d.getFirstTab=function(){for(var e=this.getTabsCount(),t=0;t<e;t++)if(!y(this.getTab(t)))return t;return null},d.getLastTab=function(){for(var e=this.getTabsCount();e--;)if(!y(this.getTab(e)))return e;return null},d.getTabsCount=function(){return g(this.props.children)},d.getPanelsCount=function(){return function(e){var t=0;return u(e,function(e){a(e)&&t++}),t}(this.props.children)},d.getTab=function(e){return this.tabNodes["tabs-"+e]},d.getChildren=function(){var e=this,t=0,n=this.props,l=n.children,u=n.disabledTabClassName,d=n.focus,f=n.forceRenderTabPanel,h=n.selectedIndex,b=n.selectedTabClassName,g=n.selectedTabPanelClassName;this.tabIds=this.tabIds||[],this.panelIds=this.panelIds||[];for(var _=this.tabIds.length-this.getTabsCount();_++<0;)this.tabIds.push(m()),this.panelIds.push(m());return c(l,function(n){var l=n;if(s(n)){var m=0,_=!1;p&&(_=o.a.Children.toArray(n.props.children).filter(i).some(function(t,n){return document.activeElement===e.getTab(n)})),l=Object(r.cloneElement)(n,{children:c(n.props.children,function(t){var n="tabs-"+m,o=h===m,i={tabRef:function(t){e.tabNodes[n]=t},id:e.tabIds[m],panelId:e.panelIds[m],selected:o,focus:o&&(d||_)};return b&&(i.selectedClassName=b),u&&(i.disabledClassName=u),m++,Object(r.cloneElement)(t,i)})})}else if(a(n)){var v={id:e.panelIds[t],tabId:e.tabIds[t],selected:h===t};f&&(v.forceRender=f),g&&(v.selectedClassName=g),t++,l=Object(r.cloneElement)(n,v)}return l})},d.isTabFromContainer=function(e){if(!v(e))return!1;var t=e.parentElement;do{if(t===this.node)return!0;if(t.getAttribute("data-tabs"))break;t=t.parentElement}while(t);return!1},d.render=function(){var e=this,t=this.props,n=(t.children,t.className),r=(t.disabledTabClassName,t.domRef),i=(t.focus,t.forceRenderTabPanel,t.onSelect,t.selectedIndex,t.selectedTabClassName,t.selectedTabPanelClassName,function(e,t){if(null==e)return{};var n,r,o={},i=Object.keys(e);for(r=0;r<i.length;r++)n=i[r],t.indexOf(n)>=0||(o[n]=e[n]);return o}(t,["children","className","disabledTabClassName","domRef","focus","forceRenderTabPanel","onSelect","selectedIndex","selectedTabClassName","selectedTabPanelClassName"]));return o.a.createElement("div",_({},i,{className:f()(n),onClick:this.handleClick,onKeyDown:this.handleKeyDown,ref:function(t){e.node=t,r&&r(t)},"data-tabs":!0}),this.getChildren())},l}(r.Component);w.defaultProps={className:"react-tabs",focus:!1},w.propTypes={};var x=function(e){var t,n;function r(t){var n;return(n=e.call(this,t)||this).handleSelected=function(e,t,o){var i=n.props.onSelect;if("function"!=typeof i||!1!==i(e,t,o)){var a={focus:"keydown"===o.type};r.inUncontrolledMode(n.props)&&(a.selectedIndex=e),n.setState(a)}},n.state=r.copyPropsToState(n.props,{},t.defaultFocus),n}n=e,(t=r).prototype=Object.create(n.prototype),t.prototype.constructor=t,t.__proto__=n;var i=r.prototype;return i.componentWillReceiveProps=function(e){this.setState(function(t){return r.copyPropsToState(e,t)})},r.inUncontrolledMode=function(e){return null===e.selectedIndex},r.copyPropsToState=function(e,t,n){void 0===n&&(n=!1);var o={focus:n};if(r.inUncontrolledMode(e)){var i=g(e.children)-1,a=null;a=null!=t.selectedIndex?Math.min(t.selectedIndex,i):e.defaultIndex||0,o.selectedIndex=a}return o},i.render=function(){var e=this.props,t=e.children,n=(e.defaultIndex,e.defaultFocus,function(e,t){if(null==e)return{};var n,r,o={},i=Object.keys(e);for(r=0;r<i.length;r++)n=i[r],t.indexOf(n)>=0||(o[n]=e[n]);return o}(e,["children","defaultIndex","defaultFocus"])),r=this.state,i=r.focus,a=r.selectedIndex;return n.focus=i,n.onSelect=this.handleSelected,null!=a&&(n.selectedIndex=a),o.a.createElement(w,n,t)},r}(r.Component);function k(){return(k=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var n=arguments[t];for(var r in n)Object.prototype.hasOwnProperty.call(n,r)&&(e[r]=n[r])}return e}).apply(this,arguments)}x.defaultProps={defaultFocus:!1,forceRenderTabPanel:!1,selectedIndex:null,defaultIndex:null},x.propTypes={},x.tabsRole="Tabs";var C=function(e){var t,n;function r(){return e.apply(this,arguments)||this}return n=e,(t=r).prototype=Object.create(n.prototype),t.prototype.constructor=t,t.__proto__=n,r.prototype.render=function(){var e=this.props,t=e.children,n=e.className,r=function(e,t){if(null==e)return{};var n,r,o={},i=Object.keys(e);for(r=0;r<i.length;r++)n=i[r],t.indexOf(n)>=0||(o[n]=e[n]);return o}(e,["children","className"]);return o.a.createElement("ul",k({},r,{className:f()(n),role:"tablist"}),t)},r}(r.Component);function E(){return(E=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var n=arguments[t];for(var r in n)Object.prototype.hasOwnProperty.call(n,r)&&(e[r]=n[r])}return e}).apply(this,arguments)}C.defaultProps={className:"react-tabs__tab-list"},C.propTypes={},C.tabsRole="TabList";var O=function(e){var t,n;function r(){return e.apply(this,arguments)||this}n=e,(t=r).prototype=Object.create(n.prototype),t.prototype.constructor=t,t.__proto__=n;var i=r.prototype;return i.componentDidMount=function(){this.checkFocus()},i.componentDidUpdate=function(){this.checkFocus()},i.checkFocus=function(){var e=this.props,t=e.selected,n=e.focus;t&&n&&this.node.focus()},i.render=function(){var e,t=this,n=this.props,r=n.children,i=n.className,a=n.disabled,s=n.disabledClassName,l=(n.focus,n.id),c=n.panelId,u=n.selected,p=n.selectedClassName,d=n.tabIndex,h=n.tabRef,m=function(e,t){if(null==e)return{};var n,r,o={},i=Object.keys(e);for(r=0;r<i.length;r++)n=i[r],t.indexOf(n)>=0||(o[n]=e[n]);return o}(n,["children","className","disabled","disabledClassName","focus","id","panelId","selected","selectedClassName","tabIndex","tabRef"]);return o.a.createElement("li",E({},m,{className:f()(i,(e={},e[p]=u,e[s]=a,e)),ref:function(e){t.node=e,h&&h(e)},role:"tab",id:l,"aria-selected":u?"true":"false","aria-disabled":a?"true":"false","aria-controls":c,tabIndex:d||(u?"0":null)}),r)},r}(r.Component);function T(){return(T=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var n=arguments[t];for(var r in n)Object.prototype.hasOwnProperty.call(n,r)&&(e[r]=n[r])}return e}).apply(this,arguments)}O.defaultProps={className:"react-tabs__tab",disabledClassName:"react-tabs__tab--disabled",focus:!1,id:null,panelId:null,selected:!1,selectedClassName:"react-tabs__tab--selected"},O.propTypes={},O.tabsRole="Tab";var S=function(e){var t,n;function r(){return e.apply(this,arguments)||this}return n=e,(t=r).prototype=Object.create(n.prototype),t.prototype.constructor=t,t.__proto__=n,r.prototype.render=function(){var e,t=this.props,n=t.children,r=t.className,i=t.forceRender,a=t.id,s=t.selected,l=t.selectedClassName,c=t.tabId,u=function(e,t){if(null==e)return{};var n,r,o={},i=Object.keys(e);for(r=0;r<i.length;r++)n=i[r],t.indexOf(n)>=0||(o[n]=e[n]);return o}(t,["children","className","forceRender","id","selected","selectedClassName","tabId"]);return o.a.createElement("div",T({},u,{className:f()(r,(e={},e[l]=s,e)),role:"tabpanel",id:a,"aria-labelledby":c}),i||s?n:null)},r}(r.Component);S.defaultProps={className:"react-tabs__tab-panel",forceRender:!1,selectedClassName:"react-tabs__tab-panel--selected"},S.propTypes={},S.tabsRole="TabPanel",n.d(t,"Tabs",function(){return x}),n.d(t,"TabList",function(){return C}),n.d(t,"Tab",function(){return O}),n.d(t,"TabPanel",function(){return S}),n.d(t,"resetIdCounter",function(){return b})}}]); //# sourceMappingURL=https://s3-us-west-2.amazonaws.com/udacity-classroom-web/js/17.cc07f.js.map
D
/Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/Console.build/Clear/Console+Ephemeral.swift.o : /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Terminal/ANSI.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Deprecated.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Console.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Output/ConsoleStyle.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Input/Console+Choose.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Activity/ActivityIndicatorState.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Input/Console+Ask.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Terminal/Terminal.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Clear/Console+Ephemeral.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Input/Console+Confirm.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Activity/LoadingBar.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Activity/ProgressBar.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Activity/ActivityBar.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Clear/Console+Clear.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Clear/ConsoleClear.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Utilities/ConsoleLogger.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Activity/ActivityIndicatorRenderer.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Output/Console+Center.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Output/ConsoleColor.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Utilities/ConsoleError.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Activity/ActivityIndicator.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Utilities/Exports.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Output/Console+Wait.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Output/ConsoleTextFragment.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Input/Console+Input.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Output/Console+Output.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Output/ConsoleText.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Activity/CustomActivity.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/NIO.swiftmodule /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/Async.swiftmodule /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/Service.swiftmodule /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/Core.swiftmodule /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/Logging.swiftmodule /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/Debugging.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/COperatingSystem.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/NIOConcurrencyHelpers.swiftmodule /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/Bits.swiftmodule /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/NIOFoundationCompat.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/swift-nio.git-3536564549603293986/Sources/CNIOAtomics/include/cpp_magic.h /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/swift-nio.git-3536564549603293986/Sources/CNIOLinux/include/ifaddrs-android.h /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/swift-nio.git-3536564549603293986/Sources/CNIODarwin/include/CNIODarwin.h /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/swift-nio.git-3536564549603293986/Sources/CNIOAtomics/include/CNIOAtomics.h /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/swift-nio.git-3536564549603293986/Sources/CNIOLinux/include/CNIOLinux.h /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/swift-nio-zlib-support.git-1048424751408724151/module.modulemap /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/CNIOSHA1.build/module.modulemap /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/CNIOOpenSSL.build/module.modulemap /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/CCryptoOpenSSL.build/module.modulemap /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/CNIOZlib.build/module.modulemap /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/CNIODarwin.build/module.modulemap /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/CNIOHTTPParser.build/module.modulemap /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/CNIOAtomics.build/module.modulemap /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/CNIOLinux.build/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/Console.build/Console+Ephemeral~partial.swiftmodule : /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Terminal/ANSI.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Deprecated.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Console.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Output/ConsoleStyle.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Input/Console+Choose.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Activity/ActivityIndicatorState.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Input/Console+Ask.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Terminal/Terminal.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Clear/Console+Ephemeral.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Input/Console+Confirm.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Activity/LoadingBar.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Activity/ProgressBar.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Activity/ActivityBar.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Clear/Console+Clear.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Clear/ConsoleClear.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Utilities/ConsoleLogger.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Activity/ActivityIndicatorRenderer.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Output/Console+Center.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Output/ConsoleColor.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Utilities/ConsoleError.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Activity/ActivityIndicator.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Utilities/Exports.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Output/Console+Wait.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Output/ConsoleTextFragment.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Input/Console+Input.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Output/Console+Output.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Output/ConsoleText.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Activity/CustomActivity.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/NIO.swiftmodule /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/Async.swiftmodule /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/Service.swiftmodule /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/Core.swiftmodule /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/Logging.swiftmodule /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/Debugging.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/COperatingSystem.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/NIOConcurrencyHelpers.swiftmodule /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/Bits.swiftmodule /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/NIOFoundationCompat.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/swift-nio.git-3536564549603293986/Sources/CNIOAtomics/include/cpp_magic.h /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/swift-nio.git-3536564549603293986/Sources/CNIOLinux/include/ifaddrs-android.h /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/swift-nio.git-3536564549603293986/Sources/CNIODarwin/include/CNIODarwin.h /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/swift-nio.git-3536564549603293986/Sources/CNIOAtomics/include/CNIOAtomics.h /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/swift-nio.git-3536564549603293986/Sources/CNIOLinux/include/CNIOLinux.h /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/swift-nio-zlib-support.git-1048424751408724151/module.modulemap /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/CNIOSHA1.build/module.modulemap /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/CNIOOpenSSL.build/module.modulemap /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/CCryptoOpenSSL.build/module.modulemap /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/CNIOZlib.build/module.modulemap /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/CNIODarwin.build/module.modulemap /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/CNIOHTTPParser.build/module.modulemap /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/CNIOAtomics.build/module.modulemap /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/CNIOLinux.build/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/Console.build/Console+Ephemeral~partial.swiftdoc : /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Terminal/ANSI.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Deprecated.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Console.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Output/ConsoleStyle.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Input/Console+Choose.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Activity/ActivityIndicatorState.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Input/Console+Ask.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Terminal/Terminal.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Clear/Console+Ephemeral.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Input/Console+Confirm.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Activity/LoadingBar.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Activity/ProgressBar.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Activity/ActivityBar.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Clear/Console+Clear.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Clear/ConsoleClear.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Utilities/ConsoleLogger.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Activity/ActivityIndicatorRenderer.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Output/Console+Center.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Output/ConsoleColor.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Utilities/ConsoleError.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Activity/ActivityIndicator.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Utilities/Exports.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Output/Console+Wait.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Output/ConsoleTextFragment.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Input/Console+Input.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Output/Console+Output.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Output/ConsoleText.swift /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/console.git-4717909685433189223/Sources/Console/Activity/CustomActivity.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.apinotesc /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/ObjectiveC.swiftmodule /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/NIO.swiftmodule /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/Async.swiftmodule /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/Service.swiftmodule /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/Core.swiftmodule /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/Logging.swiftmodule /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/Debugging.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Dispatch.swiftmodule /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/COperatingSystem.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Foundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/CoreGraphics.swiftmodule /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/NIOConcurrencyHelpers.swiftmodule /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/Bits.swiftmodule /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/NIOFoundationCompat.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/IOKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/swift-nio.git-3536564549603293986/Sources/CNIOAtomics/include/cpp_magic.h /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/swift-nio.git-3536564549603293986/Sources/CNIOLinux/include/ifaddrs-android.h /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/swift-nio.git-3536564549603293986/Sources/CNIODarwin/include/CNIODarwin.h /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/swift-nio.git-3536564549603293986/Sources/CNIOAtomics/include/CNIOAtomics.h /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/swift-nio.git-3536564549603293986/Sources/CNIOLinux/include/CNIOLinux.h /Users/thomaslacan/git/MyJogs-vapor/.build/checkouts/swift-nio-zlib-support.git-1048424751408724151/module.modulemap /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/CNIOSHA1.build/module.modulemap /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/CNIOOpenSSL.build/module.modulemap /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/CCryptoOpenSSL.build/module.modulemap /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/CNIOZlib.build/module.modulemap /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/CNIODarwin.build/module.modulemap /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/CNIOHTTPParser.build/module.modulemap /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/CNIOAtomics.build/module.modulemap /Users/thomaslacan/git/MyJogs-vapor/.build/x86_64-apple-macosx10.10/debug/CNIOLinux.build/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/ApplicationServices.framework/Headers/ApplicationServices.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.14.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
D
instance DIA_VLK_6150_ORTEGO_EXIT(C_Info) { npc = vlk_6150_ortego; nr = 999; condition = dia_vlk_6150_ortego_exit_condition; information = dia_vlk_6150_ortego_exit_info; permanent = TRUE; description = Dialog_Ende; }; func int dia_vlk_6150_ortego_exit_condition() { return TRUE; }; func void dia_vlk_6150_ortego_exit_info() { AI_StopProcessInfos(self); }; instance DIA_VLK_6150_ORTEGO_HELLO(C_Info) { npc = vlk_6150_ortego; nr = 5; condition = dia_vlk_6150_ortego_hello_condition; information = dia_vlk_6150_ortego_hello_info; permanent = FALSE; important = TRUE; }; func int dia_vlk_6150_ortego_hello_condition() { if(MIS_KILLIGNAZ == LOG_Running) { return TRUE; }; }; func void dia_vlk_6150_ortego_hello_info() { B_GivePlayerXP(200); AI_Output(self,other,"DIA_VLK_6150_Ortego_Hello_01_00"); //Konečně jsi přišel! Čekal jsem tu na tebe. AI_Output(other,self,"DIA_VLK_6150_Ortego_Hello_01_01"); //Čekal jsi na mne? AI_Output(self,other,"DIA_VLK_6150_Ortego_Hello_01_02"); //Na tebe... Na koho jiného? I když jsem si tě představoval trochu jinak. AI_Output(self,other,"DIA_VLK_6150_Ortego_Hello_01_03"); //Ale lepší otázka - donesl jsi moje peníze? AI_Output(other,self,"DIA_VLK_6150_Ortego_Hello_01_04"); //Jaké peníze? AI_Output(self,other,"DIA_VLK_6150_Ortego_Hello_01_05"); //Nerozumíš...(naštvaně) Máš mě za idiota? AI_Output(self,other,"DIA_VLK_6150_Ortego_Hello_01_06"); //Ty peníze, cos mi slíbil, za vraždu toho starého ubohého alchymisty. AI_Output(self,other,"DIA_VLK_6150_Ortego_Hello_01_07"); //(směje se) Ten ubožák nestihl ani pípnout, jak rychle byl mrtvý! AI_Output(self,other,"DIA_VLK_6150_Ortego_Hello_01_08"); //A teď čekám na svoje zlato, které jsi mi slíbil v dopise. AI_Output(other,self,"DIA_VLK_6150_Ortego_Hello_01_11"); //Ty jsi někoho zabil? AI_Output(self,other,"DIA_VLK_6150_Ortego_Hello_01_12"); //(nechápavě) Co je s tebou chlape?! Nemluvím snad jasně? Anebo máš už poslední zbytky mozku utopené v pálence?! AI_Output(other,self,"DIA_VLK_6150_Ortego_Hello_01_13"); //Já jsem úplně v pořádku, ale myslím, že nejsem ten, koho sháníš. AI_Output(self,other,"DIA_VLK_6150_Ortego_Hello_01_14"); //Co?! Hmmm... chceš mi říct, že jsem se zmýlil? AI_Output(other,self,"DIA_VLK_6150_Ortego_Hello_01_15"); //Už to tak bude. AI_Output(self,other,"DIA_VLK_6150_Ortego_Hello_01_16"); //Aha, tak to je mi všechno jasné. Počkej chvilku, všechno ti vysvětlím... AI_StopProcessInfos(self); B_Attack(self,other,AR_NONE,1); };
D
module android.java.android.view.View_OnSystemUiVisibilityChangeListener_d_interface; import arsd.jni : IJavaObjectImplementation, JavaPackageId, JavaName, IJavaObject, ImportExportImpl, JavaInterfaceMembers; static import arsd.jni; import import0 = android.java.java.lang.Class_d_interface; @JavaName("View$OnSystemUiVisibilityChangeListener") final class View_OnSystemUiVisibilityChangeListener : IJavaObject { static immutable string[] _d_canCastTo = [ ]; @Import void onSystemUiVisibilityChange(int); @Import import0.Class getClass(); @Import int hashCode(); @Import bool equals(IJavaObject); @Import @JavaName("toString") string toString_(); override string toString() { return arsd.jni.javaObjectToString(this); } @Import void notify(); @Import void notifyAll(); @Import void wait(long); @Import void wait(long, int); @Import void wait(); mixin IJavaObjectImplementation!(false); public static immutable string _javaParameterString = "Landroid/view/View$OnSystemUiVisibilityChangeListener;"; }
D
/Users/sol369/Desktop/InstaPics/DerivedData/InstaPics/Build/Intermediates/InstaPics.build/Debug-iphonesimulator/InstaPics.build/Objects-normal/x86_64/ProfileVC.o : /Users/sol369/Desktop/InstaPics/InstaPics/FeedVC.swift /Users/sol369/Desktop/InstaPics/InstaPics/Post.swift /Users/sol369/Desktop/InstaPics/InstaPics/FeedCell.swift /Users/sol369/Desktop/InstaPics/InstaPics/SignupVC.swift /Users/sol369/Desktop/InstaPics/InstaPics/Helper.swift /Users/sol369/Desktop/InstaPics/InstaPics/LoginVC.swift /Users/sol369/Desktop/InstaPics/InstaPics/PostVC.swift /Users/sol369/Desktop/InstaPics/InstaPics/AppDelegate.swift /Users/sol369/Desktop/InstaPics/InstaPics/User.swift /Users/sol369/Desktop/InstaPics/InstaPics/ProfileVC.swift /Users/sol369/Desktop/InstaPics/InstaPics/Database.swift /Users/sol369/Desktop/InstaPics/InstaPics/Banner.swift /Users/sol369/Desktop/InstaPics/InstaPics/Auth.swift /Users/sol369/Desktop/InstaPics/InstaPics/Storage.swift /Users/sol369/Desktop/InstaPics/InstaPics/ProfileCell.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Users/sol369/Desktop/InstaPics/Pods/Firebase/Core/Sources/module.modulemap /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Users/sol369/Desktop/InstaPics/Pods/FirebaseCore/Frameworks/FirebaseCore.framework/Headers/FIROptions.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseCore/Frameworks/FirebaseCore.framework/Headers/FIRLoggerLevel.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseCore/Frameworks/FirebaseCore.framework/Headers/FIRConfiguration.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseCore/Frameworks/FirebaseCore.framework/Headers/FIRApp.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseCore/Frameworks/FirebaseCore.framework/Headers/FIRAnalyticsConfiguration.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseCore/Frameworks/FirebaseCore.framework/Headers/FirebaseCore.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseCore/Frameworks/FirebaseCore.framework/Modules/module.modulemap /Users/sol369/Desktop/InstaPics/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRUserPropertyNames.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRParameterNames.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIREventNames.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRAnalytics.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRAnalytics+AppDelegate.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIROptions.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRConfiguration.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRApp.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRAnalyticsConfiguration.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FirebaseAnalytics.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Modules/module.modulemap /Users/sol369/Desktop/InstaPics/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FirebaseAuthVersion.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRUserInfo.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRUser.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRAuthCredential.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRAuthErrors.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRAuth.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRTwitterAuthProvider.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRGoogleAuthProvider.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRGitHubAuthProvider.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRFacebookAuthProvider.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIREmailPasswordAuthProvider.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FirebaseAuth.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Modules/module.modulemap /Users/sol369/Desktop/InstaPics/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FIRServerValue.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FIRTransactionResult.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FIRMutableData.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FIRDataSnapshot.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FIRDataEventType.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FIRDatabaseQuery.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FIRDatabaseReference.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FIRDatabase.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FirebaseDatabase.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Modules/module.modulemap /Users/sol369/Desktop/InstaPics/Pods/FirebaseInstanceID/Frameworks/FirebaseInstanceID.framework/Headers/FIRInstanceID.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseInstanceID/Frameworks/FirebaseInstanceID.framework/Headers/FirebaseInstanceID.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseInstanceID/Frameworks/FirebaseInstanceID.framework/Modules/module.modulemap /Users/sol369/Desktop/InstaPics/Pods/FirebaseStorage/Frameworks/FirebaseStorage.framework/Headers/FIRStorageTaskSnapshot.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseStorage/Frameworks/FirebaseStorage.framework/Headers/FIRStorageUploadTask.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseStorage/Frameworks/FirebaseStorage.framework/Headers/FIRStorageReference.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseStorage/Frameworks/FirebaseStorage.framework/Headers/FIRStorageMetadata.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseStorage/Frameworks/FirebaseStorage.framework/Headers/FIRStorageTask.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseStorage/Frameworks/FirebaseStorage.framework/Headers/FIRStorageObservableTask.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseStorage/Frameworks/FirebaseStorage.framework/Headers/FIRStorageDownloadTask.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseStorage/Frameworks/FirebaseStorage.framework/Headers/FIRStorageConstants.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseStorage/Frameworks/FirebaseStorage.framework/Headers/FIRStorage.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseStorage/Frameworks/FirebaseStorage.framework/Headers/FirebaseStorage.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseStorage/Frameworks/FirebaseStorage.framework/Modules/module.modulemap /Users/sol369/Desktop/InstaPics/Pods/Firebase/Core/Sources/Firebase.h /Users/sol369/Desktop/InstaPics/DerivedData/InstaPics/Build/Products/Debug-iphonesimulator/Kingfisher/Kingfisher.framework/Modules/Kingfisher.swiftmodule/x86_64.swiftmodule /Users/sol369/Desktop/InstaPics/DerivedData/InstaPics/Build/Products/Debug-iphonesimulator/Kingfisher/Kingfisher.framework/Headers/Kingfisher-Swift.h /Users/sol369/Desktop/InstaPics/DerivedData/InstaPics/Build/Products/Debug-iphonesimulator/Kingfisher/Kingfisher.framework/Headers/Kingfisher.h /Users/sol369/Desktop/InstaPics/DerivedData/InstaPics/Build/Products/Debug-iphonesimulator/Kingfisher/Kingfisher.framework/Headers/Kingfisher-umbrella.h /Users/sol369/Desktop/InstaPics/DerivedData/InstaPics/Build/Products/Debug-iphonesimulator/Kingfisher/Kingfisher.framework/Modules/module.modulemap /Users/sol369/Desktop/InstaPics/DerivedData/InstaPics/Build/Products/Debug-iphonesimulator/SwiftLoader/SwiftLoader.framework/Modules/SwiftLoader.swiftmodule/x86_64.swiftmodule /Users/sol369/Desktop/InstaPics/DerivedData/InstaPics/Build/Products/Debug-iphonesimulator/SwiftLoader/SwiftLoader.framework/Headers/SwiftLoader-Swift.h /Users/sol369/Desktop/InstaPics/DerivedData/InstaPics/Build/Products/Debug-iphonesimulator/SwiftLoader/SwiftLoader.framework/Headers/SwiftLoader-umbrella.h /Users/sol369/Desktop/InstaPics/DerivedData/InstaPics/Build/Products/Debug-iphonesimulator/SwiftLoader/SwiftLoader.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/AVFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreMedia.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreAudio.swiftmodule /Users/sol369/Desktop/InstaPics/DerivedData/InstaPics/Build/Products/Debug-iphonesimulator/Sharaku/Sharaku.framework/Modules/Sharaku.swiftmodule/x86_64.swiftmodule /Users/sol369/Desktop/InstaPics/DerivedData/InstaPics/Build/Products/Debug-iphonesimulator/Sharaku/Sharaku.framework/Headers/Sharaku-Swift.h /Users/sol369/Desktop/InstaPics/DerivedData/InstaPics/Build/Products/Debug-iphonesimulator/Sharaku/Sharaku.framework/Headers/Sharaku-umbrella.h /Users/sol369/Desktop/InstaPics/DerivedData/InstaPics/Build/Products/Debug-iphonesimulator/Sharaku/Sharaku.framework/Modules/module.modulemap /Users/sol369/Desktop/InstaPics/DerivedData/InstaPics/Build/Products/Debug-iphonesimulator/IQKeyboardManagerSwift/IQKeyboardManagerSwift.framework/Modules/IQKeyboardManagerSwift.swiftmodule/x86_64.swiftmodule /Users/sol369/Desktop/InstaPics/DerivedData/InstaPics/Build/Products/Debug-iphonesimulator/IQKeyboardManagerSwift/IQKeyboardManagerSwift.framework/Headers/IQKeyboardManagerSwift-Swift.h /Users/sol369/Desktop/InstaPics/DerivedData/InstaPics/Build/Products/Debug-iphonesimulator/IQKeyboardManagerSwift/IQKeyboardManagerSwift.framework/Headers/IQKeyboardManagerSwift-umbrella.h /Users/sol369/Desktop/InstaPics/DerivedData/InstaPics/Build/Products/Debug-iphonesimulator/IQKeyboardManagerSwift/IQKeyboardManagerSwift.framework/Modules/module.modulemap /Users/sol369/Desktop/InstaPics/DerivedData/InstaPics/Build/Intermediates/InstaPics.build/Debug-iphonesimulator/InstaPics.build/Objects-normal/x86_64/ProfileVC~partial.swiftmodule : /Users/sol369/Desktop/InstaPics/InstaPics/FeedVC.swift /Users/sol369/Desktop/InstaPics/InstaPics/Post.swift /Users/sol369/Desktop/InstaPics/InstaPics/FeedCell.swift /Users/sol369/Desktop/InstaPics/InstaPics/SignupVC.swift /Users/sol369/Desktop/InstaPics/InstaPics/Helper.swift /Users/sol369/Desktop/InstaPics/InstaPics/LoginVC.swift /Users/sol369/Desktop/InstaPics/InstaPics/PostVC.swift /Users/sol369/Desktop/InstaPics/InstaPics/AppDelegate.swift /Users/sol369/Desktop/InstaPics/InstaPics/User.swift /Users/sol369/Desktop/InstaPics/InstaPics/ProfileVC.swift /Users/sol369/Desktop/InstaPics/InstaPics/Database.swift /Users/sol369/Desktop/InstaPics/InstaPics/Banner.swift /Users/sol369/Desktop/InstaPics/InstaPics/Auth.swift /Users/sol369/Desktop/InstaPics/InstaPics/Storage.swift /Users/sol369/Desktop/InstaPics/InstaPics/ProfileCell.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Users/sol369/Desktop/InstaPics/Pods/Firebase/Core/Sources/module.modulemap /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Users/sol369/Desktop/InstaPics/Pods/FirebaseCore/Frameworks/FirebaseCore.framework/Headers/FIROptions.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseCore/Frameworks/FirebaseCore.framework/Headers/FIRLoggerLevel.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseCore/Frameworks/FirebaseCore.framework/Headers/FIRConfiguration.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseCore/Frameworks/FirebaseCore.framework/Headers/FIRApp.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseCore/Frameworks/FirebaseCore.framework/Headers/FIRAnalyticsConfiguration.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseCore/Frameworks/FirebaseCore.framework/Headers/FirebaseCore.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseCore/Frameworks/FirebaseCore.framework/Modules/module.modulemap /Users/sol369/Desktop/InstaPics/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRUserPropertyNames.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRParameterNames.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIREventNames.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRAnalytics.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRAnalytics+AppDelegate.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIROptions.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRConfiguration.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRApp.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRAnalyticsConfiguration.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FirebaseAnalytics.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Modules/module.modulemap /Users/sol369/Desktop/InstaPics/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FirebaseAuthVersion.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRUserInfo.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRUser.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRAuthCredential.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRAuthErrors.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRAuth.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRTwitterAuthProvider.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRGoogleAuthProvider.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRGitHubAuthProvider.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRFacebookAuthProvider.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIREmailPasswordAuthProvider.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FirebaseAuth.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Modules/module.modulemap /Users/sol369/Desktop/InstaPics/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FIRServerValue.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FIRTransactionResult.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FIRMutableData.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FIRDataSnapshot.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FIRDataEventType.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FIRDatabaseQuery.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FIRDatabaseReference.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FIRDatabase.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FirebaseDatabase.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Modules/module.modulemap /Users/sol369/Desktop/InstaPics/Pods/FirebaseInstanceID/Frameworks/FirebaseInstanceID.framework/Headers/FIRInstanceID.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseInstanceID/Frameworks/FirebaseInstanceID.framework/Headers/FirebaseInstanceID.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseInstanceID/Frameworks/FirebaseInstanceID.framework/Modules/module.modulemap /Users/sol369/Desktop/InstaPics/Pods/FirebaseStorage/Frameworks/FirebaseStorage.framework/Headers/FIRStorageTaskSnapshot.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseStorage/Frameworks/FirebaseStorage.framework/Headers/FIRStorageUploadTask.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseStorage/Frameworks/FirebaseStorage.framework/Headers/FIRStorageReference.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseStorage/Frameworks/FirebaseStorage.framework/Headers/FIRStorageMetadata.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseStorage/Frameworks/FirebaseStorage.framework/Headers/FIRStorageTask.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseStorage/Frameworks/FirebaseStorage.framework/Headers/FIRStorageObservableTask.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseStorage/Frameworks/FirebaseStorage.framework/Headers/FIRStorageDownloadTask.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseStorage/Frameworks/FirebaseStorage.framework/Headers/FIRStorageConstants.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseStorage/Frameworks/FirebaseStorage.framework/Headers/FIRStorage.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseStorage/Frameworks/FirebaseStorage.framework/Headers/FirebaseStorage.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseStorage/Frameworks/FirebaseStorage.framework/Modules/module.modulemap /Users/sol369/Desktop/InstaPics/Pods/Firebase/Core/Sources/Firebase.h /Users/sol369/Desktop/InstaPics/DerivedData/InstaPics/Build/Products/Debug-iphonesimulator/Kingfisher/Kingfisher.framework/Modules/Kingfisher.swiftmodule/x86_64.swiftmodule /Users/sol369/Desktop/InstaPics/DerivedData/InstaPics/Build/Products/Debug-iphonesimulator/Kingfisher/Kingfisher.framework/Headers/Kingfisher-Swift.h /Users/sol369/Desktop/InstaPics/DerivedData/InstaPics/Build/Products/Debug-iphonesimulator/Kingfisher/Kingfisher.framework/Headers/Kingfisher.h /Users/sol369/Desktop/InstaPics/DerivedData/InstaPics/Build/Products/Debug-iphonesimulator/Kingfisher/Kingfisher.framework/Headers/Kingfisher-umbrella.h /Users/sol369/Desktop/InstaPics/DerivedData/InstaPics/Build/Products/Debug-iphonesimulator/Kingfisher/Kingfisher.framework/Modules/module.modulemap /Users/sol369/Desktop/InstaPics/DerivedData/InstaPics/Build/Products/Debug-iphonesimulator/SwiftLoader/SwiftLoader.framework/Modules/SwiftLoader.swiftmodule/x86_64.swiftmodule /Users/sol369/Desktop/InstaPics/DerivedData/InstaPics/Build/Products/Debug-iphonesimulator/SwiftLoader/SwiftLoader.framework/Headers/SwiftLoader-Swift.h /Users/sol369/Desktop/InstaPics/DerivedData/InstaPics/Build/Products/Debug-iphonesimulator/SwiftLoader/SwiftLoader.framework/Headers/SwiftLoader-umbrella.h /Users/sol369/Desktop/InstaPics/DerivedData/InstaPics/Build/Products/Debug-iphonesimulator/SwiftLoader/SwiftLoader.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/AVFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreMedia.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreAudio.swiftmodule /Users/sol369/Desktop/InstaPics/DerivedData/InstaPics/Build/Products/Debug-iphonesimulator/Sharaku/Sharaku.framework/Modules/Sharaku.swiftmodule/x86_64.swiftmodule /Users/sol369/Desktop/InstaPics/DerivedData/InstaPics/Build/Products/Debug-iphonesimulator/Sharaku/Sharaku.framework/Headers/Sharaku-Swift.h /Users/sol369/Desktop/InstaPics/DerivedData/InstaPics/Build/Products/Debug-iphonesimulator/Sharaku/Sharaku.framework/Headers/Sharaku-umbrella.h /Users/sol369/Desktop/InstaPics/DerivedData/InstaPics/Build/Products/Debug-iphonesimulator/Sharaku/Sharaku.framework/Modules/module.modulemap /Users/sol369/Desktop/InstaPics/DerivedData/InstaPics/Build/Products/Debug-iphonesimulator/IQKeyboardManagerSwift/IQKeyboardManagerSwift.framework/Modules/IQKeyboardManagerSwift.swiftmodule/x86_64.swiftmodule /Users/sol369/Desktop/InstaPics/DerivedData/InstaPics/Build/Products/Debug-iphonesimulator/IQKeyboardManagerSwift/IQKeyboardManagerSwift.framework/Headers/IQKeyboardManagerSwift-Swift.h /Users/sol369/Desktop/InstaPics/DerivedData/InstaPics/Build/Products/Debug-iphonesimulator/IQKeyboardManagerSwift/IQKeyboardManagerSwift.framework/Headers/IQKeyboardManagerSwift-umbrella.h /Users/sol369/Desktop/InstaPics/DerivedData/InstaPics/Build/Products/Debug-iphonesimulator/IQKeyboardManagerSwift/IQKeyboardManagerSwift.framework/Modules/module.modulemap /Users/sol369/Desktop/InstaPics/DerivedData/InstaPics/Build/Intermediates/InstaPics.build/Debug-iphonesimulator/InstaPics.build/Objects-normal/x86_64/ProfileVC~partial.swiftdoc : /Users/sol369/Desktop/InstaPics/InstaPics/FeedVC.swift /Users/sol369/Desktop/InstaPics/InstaPics/Post.swift /Users/sol369/Desktop/InstaPics/InstaPics/FeedCell.swift /Users/sol369/Desktop/InstaPics/InstaPics/SignupVC.swift /Users/sol369/Desktop/InstaPics/InstaPics/Helper.swift /Users/sol369/Desktop/InstaPics/InstaPics/LoginVC.swift /Users/sol369/Desktop/InstaPics/InstaPics/PostVC.swift /Users/sol369/Desktop/InstaPics/InstaPics/AppDelegate.swift /Users/sol369/Desktop/InstaPics/InstaPics/User.swift /Users/sol369/Desktop/InstaPics/InstaPics/ProfileVC.swift /Users/sol369/Desktop/InstaPics/InstaPics/Database.swift /Users/sol369/Desktop/InstaPics/InstaPics/Banner.swift /Users/sol369/Desktop/InstaPics/InstaPics/Auth.swift /Users/sol369/Desktop/InstaPics/InstaPics/Storage.swift /Users/sol369/Desktop/InstaPics/InstaPics/ProfileCell.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Users/sol369/Desktop/InstaPics/Pods/Firebase/Core/Sources/module.modulemap /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Users/sol369/Desktop/InstaPics/Pods/FirebaseCore/Frameworks/FirebaseCore.framework/Headers/FIROptions.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseCore/Frameworks/FirebaseCore.framework/Headers/FIRLoggerLevel.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseCore/Frameworks/FirebaseCore.framework/Headers/FIRConfiguration.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseCore/Frameworks/FirebaseCore.framework/Headers/FIRApp.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseCore/Frameworks/FirebaseCore.framework/Headers/FIRAnalyticsConfiguration.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseCore/Frameworks/FirebaseCore.framework/Headers/FirebaseCore.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseCore/Frameworks/FirebaseCore.framework/Modules/module.modulemap /Users/sol369/Desktop/InstaPics/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRUserPropertyNames.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRParameterNames.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIREventNames.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRAnalytics.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRAnalytics+AppDelegate.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIROptions.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRConfiguration.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRApp.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FIRAnalyticsConfiguration.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Headers/FirebaseAnalytics.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseAnalytics/Frameworks/FirebaseAnalytics.framework/Modules/module.modulemap /Users/sol369/Desktop/InstaPics/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FirebaseAuthVersion.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRUserInfo.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRUser.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRAuthCredential.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRAuthErrors.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRAuth.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRTwitterAuthProvider.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRGoogleAuthProvider.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRGitHubAuthProvider.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIRFacebookAuthProvider.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FIREmailPasswordAuthProvider.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Headers/FirebaseAuth.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseAuth/Frameworks/FirebaseAuth.framework/Modules/module.modulemap /Users/sol369/Desktop/InstaPics/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FIRServerValue.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FIRTransactionResult.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FIRMutableData.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FIRDataSnapshot.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FIRDataEventType.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FIRDatabaseQuery.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FIRDatabaseReference.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FIRDatabase.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Headers/FirebaseDatabase.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseDatabase/Frameworks/FirebaseDatabase.framework/Modules/module.modulemap /Users/sol369/Desktop/InstaPics/Pods/FirebaseInstanceID/Frameworks/FirebaseInstanceID.framework/Headers/FIRInstanceID.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseInstanceID/Frameworks/FirebaseInstanceID.framework/Headers/FirebaseInstanceID.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseInstanceID/Frameworks/FirebaseInstanceID.framework/Modules/module.modulemap /Users/sol369/Desktop/InstaPics/Pods/FirebaseStorage/Frameworks/FirebaseStorage.framework/Headers/FIRStorageTaskSnapshot.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseStorage/Frameworks/FirebaseStorage.framework/Headers/FIRStorageUploadTask.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseStorage/Frameworks/FirebaseStorage.framework/Headers/FIRStorageReference.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseStorage/Frameworks/FirebaseStorage.framework/Headers/FIRStorageMetadata.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseStorage/Frameworks/FirebaseStorage.framework/Headers/FIRStorageTask.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseStorage/Frameworks/FirebaseStorage.framework/Headers/FIRStorageObservableTask.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseStorage/Frameworks/FirebaseStorage.framework/Headers/FIRStorageDownloadTask.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseStorage/Frameworks/FirebaseStorage.framework/Headers/FIRStorageConstants.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseStorage/Frameworks/FirebaseStorage.framework/Headers/FIRStorage.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseStorage/Frameworks/FirebaseStorage.framework/Headers/FirebaseStorage.h /Users/sol369/Desktop/InstaPics/Pods/FirebaseStorage/Frameworks/FirebaseStorage.framework/Modules/module.modulemap /Users/sol369/Desktop/InstaPics/Pods/Firebase/Core/Sources/Firebase.h /Users/sol369/Desktop/InstaPics/DerivedData/InstaPics/Build/Products/Debug-iphonesimulator/Kingfisher/Kingfisher.framework/Modules/Kingfisher.swiftmodule/x86_64.swiftmodule /Users/sol369/Desktop/InstaPics/DerivedData/InstaPics/Build/Products/Debug-iphonesimulator/Kingfisher/Kingfisher.framework/Headers/Kingfisher-Swift.h /Users/sol369/Desktop/InstaPics/DerivedData/InstaPics/Build/Products/Debug-iphonesimulator/Kingfisher/Kingfisher.framework/Headers/Kingfisher.h /Users/sol369/Desktop/InstaPics/DerivedData/InstaPics/Build/Products/Debug-iphonesimulator/Kingfisher/Kingfisher.framework/Headers/Kingfisher-umbrella.h /Users/sol369/Desktop/InstaPics/DerivedData/InstaPics/Build/Products/Debug-iphonesimulator/Kingfisher/Kingfisher.framework/Modules/module.modulemap /Users/sol369/Desktop/InstaPics/DerivedData/InstaPics/Build/Products/Debug-iphonesimulator/SwiftLoader/SwiftLoader.framework/Modules/SwiftLoader.swiftmodule/x86_64.swiftmodule /Users/sol369/Desktop/InstaPics/DerivedData/InstaPics/Build/Products/Debug-iphonesimulator/SwiftLoader/SwiftLoader.framework/Headers/SwiftLoader-Swift.h /Users/sol369/Desktop/InstaPics/DerivedData/InstaPics/Build/Products/Debug-iphonesimulator/SwiftLoader/SwiftLoader.framework/Headers/SwiftLoader-umbrella.h /Users/sol369/Desktop/InstaPics/DerivedData/InstaPics/Build/Products/Debug-iphonesimulator/SwiftLoader/SwiftLoader.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/AVFoundation.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreMedia.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreAudio.swiftmodule /Users/sol369/Desktop/InstaPics/DerivedData/InstaPics/Build/Products/Debug-iphonesimulator/Sharaku/Sharaku.framework/Modules/Sharaku.swiftmodule/x86_64.swiftmodule /Users/sol369/Desktop/InstaPics/DerivedData/InstaPics/Build/Products/Debug-iphonesimulator/Sharaku/Sharaku.framework/Headers/Sharaku-Swift.h /Users/sol369/Desktop/InstaPics/DerivedData/InstaPics/Build/Products/Debug-iphonesimulator/Sharaku/Sharaku.framework/Headers/Sharaku-umbrella.h /Users/sol369/Desktop/InstaPics/DerivedData/InstaPics/Build/Products/Debug-iphonesimulator/Sharaku/Sharaku.framework/Modules/module.modulemap /Users/sol369/Desktop/InstaPics/DerivedData/InstaPics/Build/Products/Debug-iphonesimulator/IQKeyboardManagerSwift/IQKeyboardManagerSwift.framework/Modules/IQKeyboardManagerSwift.swiftmodule/x86_64.swiftmodule /Users/sol369/Desktop/InstaPics/DerivedData/InstaPics/Build/Products/Debug-iphonesimulator/IQKeyboardManagerSwift/IQKeyboardManagerSwift.framework/Headers/IQKeyboardManagerSwift-Swift.h /Users/sol369/Desktop/InstaPics/DerivedData/InstaPics/Build/Products/Debug-iphonesimulator/IQKeyboardManagerSwift/IQKeyboardManagerSwift.framework/Headers/IQKeyboardManagerSwift-umbrella.h /Users/sol369/Desktop/InstaPics/DerivedData/InstaPics/Build/Products/Debug-iphonesimulator/IQKeyboardManagerSwift/IQKeyboardManagerSwift.framework/Modules/module.modulemap
D
module graphics.gui.messageBox; import graphics.hw; import graphics.gui.div; import graphics.simplegraphics; import graphics.color; import math.geo.rectangle; import math.matrix; import graphics.gui.scrollbox; import graphics.gui.label; import graphics.gui.base; import graphics.gui.window; /// Opens a window with the message in it, blocks untill the message box is closed public void msgbox(T...)(T args) { import std.format; import std.array; import std.traits; import std.range; auto w = appender!(dstring)(); foreach (arg; args) { alias A = typeof(arg); static if (isAggregateType!A || is(A == enum)) { std.format.formattedWrite(&w, "%s", arg); } else static if (isSomeString!A) { import std.range : put; put(w, arg); } else static if (isIntegral!A) { import std.conv : toTextRange; toTextRange(arg, &w); } else static if (isBoolean!A) { put(w, arg ? "true" : "false"); } else static if (isSomeChar!A) { import std.range : put; put(w, arg); } else { import std.format : formattedWrite; // Most general case std.format.formattedWrite(&w, "%s", arg); } } auto win = new Window(); win.fillFirst = true; win.bounds.size = vec2(300,200); win.text = "Message Box"; auto sb = new Scrollbox(); auto l = new Label(); l.text = w.data; l.bounds.loc = vec2(4,4); sb.border = false; sb.addDiv(l); win.addDiv(sb); win.waitOnClose(); }
D
/* * Hunt - A redis client library for D programming language. * * Copyright (C) 2018-2019 HuntLabs * * Website: https://www.huntlabs.net/ * * Licensed under the Apache-2.0 License. * */ module hunt.redis.RedisShardInfo; import hunt.redis.Exceptions; import hunt.redis.HostAndPort; import hunt.redis.Protocol; import hunt.redis.Redis; import hunt.redis.util.RedisURIHelper; import hunt.redis.util.ShardInfo; import hunt.redis.util.Sharded; import hunt.net.util.HttpURI; import std.conv; class RedisShardInfo : ShardInfo!(Redis) { private int connectionTimeout; private int soTimeout; private string host; private int port; private string password = null; private string name = null; // Default Redis DB private int db = 0; private bool ssl; // private SSLSocketFactory sslSocketFactory; // private SSLParameters sslParameters; // private HostnameVerifier hostnameVerifier; this(string host) { super(DEFAULT_WEIGHT); HttpURI uri = new HttpURI(host); if (RedisURIHelper.isValid(uri)) { this.host = uri.getHost(); this.port = uri.getPort(); this.password = RedisURIHelper.getPassword(uri); this.db = RedisURIHelper.getDBIndex(uri); this.ssl = RedisURIHelper.isRedisSSLScheme(uri); } else { this.host = host; this.port = Protocol.DEFAULT_PORT; } } // this(string host, SSLSocketFactory sslSocketFactory, // SSLParameters sslParameters, HostnameVerifier hostnameVerifier) { // this(host); // this.sslSocketFactory = sslSocketFactory; // this.sslParameters = sslParameters; // this.hostnameVerifier = hostnameVerifier; // } this(string host, string name) { this(host, Protocol.DEFAULT_PORT, name); } this(HostAndPort hp) { this(hp.getHost(), hp.getPort()); } this(string host, int port) { this(host, port, Protocol.DEFAULT_TIMEOUT); } this(string host, int port, bool ssl) { this(host, port, Protocol.DEFAULT_TIMEOUT, ssl); } // this(string host, int port, bool ssl, SSLSocketFactory sslSocketFactory, // SSLParameters sslParameters, HostnameVerifier hostnameVerifier) { // this(host, port, Protocol.DEFAULT_TIMEOUT, ssl, sslSocketFactory, sslParameters, // hostnameVerifier); // } this(string host, int port, string name) { this(host, port, Protocol.DEFAULT_TIMEOUT, name); } this(string host, int port, string name, bool ssl) { this(host, port, Protocol.DEFAULT_TIMEOUT, name, ssl); } // this(string host, int port, string name, bool ssl, SSLSocketFactory sslSocketFactory, // SSLParameters sslParameters, HostnameVerifier hostnameVerifier) { // this(host, port, Protocol.DEFAULT_TIMEOUT, name, ssl, sslSocketFactory, sslParameters, hostnameVerifier); // } this(string host, int port, int timeout) { this(host, port, timeout, timeout, DEFAULT_WEIGHT); } this(string host, int port, int timeout, bool ssl) { this(host, port, timeout, timeout, DEFAULT_WEIGHT, ssl); } // this(string host, int port, int timeout, bool ssl, // SSLSocketFactory sslSocketFactory, SSLParameters sslParameters, // HostnameVerifier hostnameVerifier) { // this(host, port, timeout, timeout, DEFAULT_WEIGHT, ssl, sslSocketFactory, // sslParameters, hostnameVerifier); // } this(string host, int port, int timeout, string name) { this(host, port, timeout, timeout, DEFAULT_WEIGHT); this.name = name; } this(string host, int port, int timeout, string name, bool ssl) { this(host, port, timeout, timeout, DEFAULT_WEIGHT, ssl); this.name = name; } // this(string host, int port, int timeout, string name, bool ssl, // SSLSocketFactory sslSocketFactory, SSLParameters sslParameters, // HostnameVerifier hostnameVerifier) { // this(host, port, timeout, ssl, sslSocketFactory, sslParameters, hostnameVerifier); // this.name = name; // } this(string host, int port, int connectionTimeout, int soTimeout, int weight) { super(weight); this.host = host; this.port = port; this.connectionTimeout = connectionTimeout; this.soTimeout = soTimeout; } this(string host, int port, int connectionTimeout, int soTimeout, int weight, bool ssl) { super(weight); this.host = host; this.port = port; this.connectionTimeout = connectionTimeout; this.soTimeout = soTimeout; this.ssl = ssl; } // this(string host, int port, int connectionTimeout, int soTimeout, int weight, // bool ssl, SSLSocketFactory sslSocketFactory, SSLParameters sslParameters, // HostnameVerifier hostnameVerifier) { // this(host, port, connectionTimeout, soTimeout, weight, ssl); // this.sslSocketFactory = sslSocketFactory; // this.sslParameters = sslParameters; // this.hostnameVerifier = hostnameVerifier; // } this(string host, string name, int port, int timeout, int weight) { this(host, port, timeout, timeout, weight); this.name = name; } this(string host, string name, int port, int timeout, int weight, bool ssl) { this(host, port, timeout, timeout, weight, ssl); this.name = name; } // this(string host, string name, int port, int timeout, int weight, // bool ssl, SSLSocketFactory sslSocketFactory, SSLParameters sslParameters, // HostnameVerifier hostnameVerifier) { // this(host, port, timeout, timeout, weight, ssl, sslSocketFactory, sslParameters, hostnameVerifier); // this.name = name; // } // this(HttpURI uri) { // super(DEFAULT_WEIGHT); // if (!RedisURIHelper.isValid(uri)) { // throw new InvalidURIException(format( // "Cannot open Redis connection due invalid HttpURI. %s", uri.toString())); // } // this.host = uri.getHost(); // this.port = uri.getPort(); // this.password = RedisURIHelper.getPassword(uri); // this.db = RedisURIHelper.getDBIndex(uri); // this.ssl = RedisURIHelper.isRedisSSLScheme(uri); // } // this(HttpURI uri, SSLSocketFactory sslSocketFactory, SSLParameters sslParameters, // HostnameVerifier hostnameVerifier) { // this(uri); // this.sslSocketFactory = sslSocketFactory; // this.sslParameters = sslParameters; // this.hostnameVerifier = hostnameVerifier; // } override string toString() { return host ~ ":" ~ port.to!string() ~ "*" ~ getWeight().to!string(); } string getHost() { return host; } int getPort() { return port; } string getPassword() { return password; } void setPassword(string auth) { this.password = auth; } int getConnectionTimeout() { return connectionTimeout; } void setConnectionTimeout(int connectionTimeout) { this.connectionTimeout = connectionTimeout; } int getSoTimeout() { return soTimeout; } void setSoTimeout(int soTimeout) { this.soTimeout = soTimeout; } override string getName() { return name; } int getDb() { return db; } bool getSsl() { return ssl; } // SSLSocketFactory getSslSocketFactory() { // return sslSocketFactory; // } // SSLParameters getSslParameters() { // return sslParameters; // } // HostnameVerifier getHostnameVerifier() { // return hostnameVerifier; // } override Redis createResource() { return new Redis(this); } }
D
module pixelperfectengine.concrete.eventchainsystem; import collections.linkedlist; /** * Defines an undoable event. */ public interface UndoableEvent{ public void redo(); ///called both when a redo command is initialized or the event is added to the stack. public void undo(); ///called when an undo command is initialized on the stack. } /** * Implements an undoable event list with automatic handling of undo/redo commands */ public class UndoableStack{ alias EventStack = LinkedList!(UndoableEvent); protected EventStack events; protected size_t currentPos, currentCap, maxLength; public this(size_t maxElements) @safe pure nothrow{ maxLength = maxElements; //events.length = maxElements; } /** * Adds an event to the top of the stack. If there are any undone events, they'll be lost. Bottom event is always lost. */ public void addToTop(UndoableEvent e){ while(currentPos) { events.remove(0); currentPos--; } events.insertAt(e, 0); e.redo; while(events.length > maxLength) events.remove(maxLength); } /** * Undos top event. */ public void undo(){ if(currentPos < events.length){ events[currentPos].undo; currentPos++; } } /** * Redos top event. */ public void redo() { if(currentPos >= 0){ currentPos--; events[currentPos].redo; } } /** * Returns the length of the current stack */ public size_t length() { return events.length; } }
D
PLONG PLAT ED95 KD LOMAGAGE HIMAGAGE SLAT SLONG RESULTNO DP DM ROCKTYPE 303.5 77.1999969 2.79999995 89.6999969 10 14 -38.7000008 143.100006 139 4.19999981 4.19999981 sediments, limestone 289.600006 75.1999969 1.79999995 73.1999969 11 19 -31.6000004 145.600006 9338 2.5 2.5 sediments, saprolite 244.5 81.6999969 9.80000019 0 2 10 -9.60000038 119.300003 1209 5.80000019 10.6999998 extrusives 51 49 12 0 4 6 -9.30000019 124.300003 1207 6.0999999 12.1000004 extrusives, pillow basalts, intrusives 249.300003 82.3000031 8.60000038 0 2 10 -9.69999981 120.099998 1208 5.0999999 9.39999962 sediments, tuffs 264.399994 75 15.6000004 0 2 65 -8.80000019 126.699997 1206 10.3999996 18 extrusives, intrusives 349.5 78.1999969 4.69999981 999.900024 5 35 -36.0999985 149.100006 1153 6.0999999 7.5999999 sediments, weathered volcanics 294.399994 82.9000015 1.89999998 472.299988 8 23 -33.5999985 150.600006 1154 2.0999999 2.79999995 sediments 282.100006 86.3000031 4.80000019 37 0 5 -38 143.5 1818 5.5 7.19999981 extrusives 266.299988 86.5999985 1.5 82 0 5 -38.5 143.5 1897 1.89999998 1.89999998 extrusives 236.600006 78.5 0 7.5 0 35 -17.2000008 131.5 1894 0 0 sediments, red mudstones 56 83 6 56 0 5 -38 143.5 1859 8 8 extrusives 270.5 80.4000015 0 125 5 23 -32.5 138.5 1976 8.39999962 8.39999962 sediments, red clays 256.899994 86.9000015 0 88 5 23 -36 137 1974 8.39999962 8.39999962 sediments, weathered
D
module mscorlib.System.Security.Principal; import mscorlib.System : __DotNet__Attribute, __DotNet__AttributeStruct; import mscorlib.System.Runtime.InteropServices : ComVisibleAttribute; // // Source Generated From 'D:\git\coreclr\src\mscorlib\src\System\Security\Principal\IIdentity.cs' // @__DotNet__Attribute!(ComVisibleAttribute.stringof/*, true*/) public interface IIdentity { //TODO: generate property 'Name' //TODO: generate property 'AuthenticationType' //TODO: generate property 'IsAuthenticated' } // // Source Generated From 'D:\git\coreclr\src\mscorlib\src\System\Security\Principal\IPrincipal.cs' // @__DotNet__Attribute!(ComVisibleAttribute.stringof/*, true*/) public interface IPrincipal { //TODO: generate property 'Identity' //TODO: generate method IsInRole } // // Source Generated From 'D:\git\coreclr\src\mscorlib\src\System\Security\Principal\TokenImpersonationLevel.cs' // public enum TokenImpersonationLevel { None = 0, Anonymous = 1, Identification = 2, Impersonation = 3, Delegation = 4, }
D
# FIXED OSAL/osal_snv_wrapper.obj: C:/ti/simplelink/ble_sdk_2_02_01_18/src/components/osal/src/mcu/cc26xx/osal_snv_wrapper.c OSAL/osal_snv_wrapper.obj: C:/ti/simplelink/ble_sdk_2_02_01_18/src/components/osal/src/inc/osal_snv.h OSAL/osal_snv_wrapper.obj: C:/ti/simplelink/ble_sdk_2_02_01_18/src/components/hal/src/target/_common/hal_types.h OSAL/osal_snv_wrapper.obj: C:/ti/simplelink/ble_sdk_2_02_01_18/src/components/hal/src/target/_common/../_common/cc26xx/_hal_types.h OSAL/osal_snv_wrapper.obj: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_5.2.6/include/stdint.h OSAL/osal_snv_wrapper.obj: C:/ti/simplelink/ble_sdk_2_02_01_18/src/components/osal/src/mcu/cc26xx/./../../../../services/src/nv/cc26xx/nvocop.c OSAL/osal_snv_wrapper.obj: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_5.2.6/include/string.h OSAL/osal_snv_wrapper.obj: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_5.2.6/include/linkage.h OSAL/osal_snv_wrapper.obj: C:/ti/simplelink/ble_sdk_2_02_01_18/src/components/hal/src/inc/hal_adc.h OSAL/osal_snv_wrapper.obj: C:/ti/simplelink/ble_sdk_2_02_01_18/src/components/hal/src/target/_common/hal_types.h OSAL/osal_snv_wrapper.obj: C:/ti/simplelink/ble_sdk_2_02_01_18/src/components/hal/src/inc/hal_board.h OSAL/osal_snv_wrapper.obj: C:/ti/simplelink/ble_sdk_2_02_01_18/src/components/hal/src/target/_common/hal_board_cfg.h OSAL/osal_snv_wrapper.obj: C:/ti/simplelink/ble_sdk_2_02_01_18/src/components/hal/src/target/_common/hal_mcu.h OSAL/osal_snv_wrapper.obj: C:/ti/simplelink/ble_sdk_2_02_01_18/src/components/hal/src/inc/hal_defs.h OSAL/osal_snv_wrapper.obj: C:/ti/simplelink/ble_sdk_2_02_01_18/src/components/hal/src/target/_common/hal_types.h OSAL/osal_snv_wrapper.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/inc/hw_nvic.h OSAL/osal_snv_wrapper.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/inc/hw_ints.h OSAL/osal_snv_wrapper.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/inc/hw_types.h OSAL/osal_snv_wrapper.obj: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_5.2.6/include/stdbool.h OSAL/osal_snv_wrapper.obj: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_5.2.6/include/yvals.h OSAL/osal_snv_wrapper.obj: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_5.2.6/include/stdarg.h OSAL/osal_snv_wrapper.obj: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_5.2.6/include/_lock.h OSAL/osal_snv_wrapper.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/inc/hw_chip_def.h OSAL/osal_snv_wrapper.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/inc/hw_gpio.h OSAL/osal_snv_wrapper.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/inc/hw_memmap.h OSAL/osal_snv_wrapper.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/driverlib/systick.h OSAL/osal_snv_wrapper.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/driverlib/debug.h OSAL/osal_snv_wrapper.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/driverlib/interrupt.h OSAL/osal_snv_wrapper.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/driverlib/cpu.h OSAL/osal_snv_wrapper.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/inc/hw_cpu_scs.h OSAL/osal_snv_wrapper.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/driverlib/rom.h OSAL/osal_snv_wrapper.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/driverlib/uart.h OSAL/osal_snv_wrapper.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/inc/hw_uart.h OSAL/osal_snv_wrapper.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/driverlib/gpio.h OSAL/osal_snv_wrapper.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/driverlib/flash.h OSAL/osal_snv_wrapper.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/inc/hw_flash.h OSAL/osal_snv_wrapper.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/inc/hw_aon_sysctl.h OSAL/osal_snv_wrapper.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/inc/hw_fcfg1.h OSAL/osal_snv_wrapper.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/driverlib/ioc.h OSAL/osal_snv_wrapper.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/inc/hw_ioc.h OSAL/osal_snv_wrapper.obj: C:/ti/simplelink/ble_sdk_2_02_01_18/src/components/icall/src/inc/ICall.h OSAL/osal_snv_wrapper.obj: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_5.2.6/include/stdlib.h OSAL/osal_snv_wrapper.obj: C:/ti/simplelink/ble_sdk_2_02_01_18/src/components/hal/src/inc/hal_assert.h OSAL/osal_snv_wrapper.obj: C:/ti/simplelink/ble_sdk_2_02_01_18/src/components/hal/src/target/_common/hal_types.h OSAL/osal_snv_wrapper.obj: C:/ti/simplelink/ble_sdk_2_02_01_18/src/components/hal/src/target/_common/hal_types.h OSAL/osal_snv_wrapper.obj: C:/ti/simplelink/ble_sdk_2_02_01_18/src/components/hal/src/target/_common/cc26xx/hal_flash.h OSAL/osal_snv_wrapper.obj: C:/ti/simplelink/ble_sdk_2_02_01_18/src/components/hal/src/inc/hal_board.h OSAL/osal_snv_wrapper.obj: C:/ti/simplelink/ble_sdk_2_02_01_18/src/components/hal/src/target/_common/hal_types.h OSAL/osal_snv_wrapper.obj: C:/ti/simplelink/ble_sdk_2_02_01_18/src/components/hal/src/target/_common/hal_types.h OSAL/osal_snv_wrapper.obj: C:/ti/simplelink/ble_sdk_2_02_01_18/src/components/hal/src/target/_common/cc26xx/pwrmon.h OSAL/osal_snv_wrapper.obj: C:/ti/simplelink/ble_sdk_2_02_01_18/src/components/hal/src/target/_common/hal_types.h OSAL/osal_snv_wrapper.obj: C:/ti/simplelink/ble_sdk_2_02_01_18/src/components/osal/src/inc/OSAL.h OSAL/osal_snv_wrapper.obj: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_5.2.6/include/limits.h OSAL/osal_snv_wrapper.obj: C:/ti/simplelink/ble_sdk_2_02_01_18/src/components/osal/src/inc/comdef.h OSAL/osal_snv_wrapper.obj: C:/ti/simplelink/ble_sdk_2_02_01_18/src/components/hal/src/target/_common/hal_types.h OSAL/osal_snv_wrapper.obj: C:/ti/simplelink/ble_sdk_2_02_01_18/src/components/osal/src/inc/OSAL_Memory.h OSAL/osal_snv_wrapper.obj: C:/ti/simplelink/ble_sdk_2_02_01_18/src/components/osal/src/inc/OSAL_Timers.h OSAL/osal_snv_wrapper.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/driverlib/vims.h OSAL/osal_snv_wrapper.obj: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/inc/hw_vims.h OSAL/osal_snv_wrapper.obj: C:/ti/simplelink/ble_sdk_2_02_01_18/src/components/osal/src/mcu/cc26xx/./../../../../services/src/nv/cc26xx/nvocop.h OSAL/osal_snv_wrapper.obj: C:/ti/simplelink/ble_sdk_2_02_01_18/src/components/osal/src/mcu/cc26xx/./../../../../services/src/nv/cc26xx/../nvintf.h C:/ti/simplelink/ble_sdk_2_02_01_18/src/components/osal/src/mcu/cc26xx/osal_snv_wrapper.c: C:/ti/simplelink/ble_sdk_2_02_01_18/src/components/osal/src/inc/osal_snv.h: C:/ti/simplelink/ble_sdk_2_02_01_18/src/components/hal/src/target/_common/hal_types.h: C:/ti/simplelink/ble_sdk_2_02_01_18/src/components/hal/src/target/_common/../_common/cc26xx/_hal_types.h: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_5.2.6/include/stdint.h: C:/ti/simplelink/ble_sdk_2_02_01_18/src/components/osal/src/mcu/cc26xx/./../../../../services/src/nv/cc26xx/nvocop.c: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_5.2.6/include/string.h: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_5.2.6/include/linkage.h: C:/ti/simplelink/ble_sdk_2_02_01_18/src/components/hal/src/inc/hal_adc.h: C:/ti/simplelink/ble_sdk_2_02_01_18/src/components/hal/src/target/_common/hal_types.h: C:/ti/simplelink/ble_sdk_2_02_01_18/src/components/hal/src/inc/hal_board.h: C:/ti/simplelink/ble_sdk_2_02_01_18/src/components/hal/src/target/_common/hal_board_cfg.h: C:/ti/simplelink/ble_sdk_2_02_01_18/src/components/hal/src/target/_common/hal_mcu.h: C:/ti/simplelink/ble_sdk_2_02_01_18/src/components/hal/src/inc/hal_defs.h: C:/ti/simplelink/ble_sdk_2_02_01_18/src/components/hal/src/target/_common/hal_types.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/inc/hw_nvic.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/inc/hw_ints.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/inc/hw_types.h: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_5.2.6/include/stdbool.h: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_5.2.6/include/yvals.h: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_5.2.6/include/stdarg.h: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_5.2.6/include/_lock.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/inc/hw_chip_def.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/inc/hw_gpio.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/inc/hw_memmap.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/driverlib/systick.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/driverlib/debug.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/driverlib/interrupt.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/driverlib/cpu.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/inc/hw_cpu_scs.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/driverlib/rom.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/driverlib/uart.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/inc/hw_uart.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/driverlib/gpio.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/driverlib/flash.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/inc/hw_flash.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/inc/hw_aon_sysctl.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/inc/hw_fcfg1.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/driverlib/ioc.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/inc/hw_ioc.h: C:/ti/simplelink/ble_sdk_2_02_01_18/src/components/icall/src/inc/ICall.h: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_5.2.6/include/stdlib.h: C:/ti/simplelink/ble_sdk_2_02_01_18/src/components/hal/src/inc/hal_assert.h: C:/ti/simplelink/ble_sdk_2_02_01_18/src/components/hal/src/target/_common/hal_types.h: C:/ti/simplelink/ble_sdk_2_02_01_18/src/components/hal/src/target/_common/hal_types.h: C:/ti/simplelink/ble_sdk_2_02_01_18/src/components/hal/src/target/_common/cc26xx/hal_flash.h: C:/ti/simplelink/ble_sdk_2_02_01_18/src/components/hal/src/inc/hal_board.h: C:/ti/simplelink/ble_sdk_2_02_01_18/src/components/hal/src/target/_common/hal_types.h: C:/ti/simplelink/ble_sdk_2_02_01_18/src/components/hal/src/target/_common/hal_types.h: C:/ti/simplelink/ble_sdk_2_02_01_18/src/components/hal/src/target/_common/cc26xx/pwrmon.h: C:/ti/simplelink/ble_sdk_2_02_01_18/src/components/hal/src/target/_common/hal_types.h: C:/ti/simplelink/ble_sdk_2_02_01_18/src/components/osal/src/inc/OSAL.h: C:/ti/ccsv8/tools/compiler/ti-cgt-arm_5.2.6/include/limits.h: C:/ti/simplelink/ble_sdk_2_02_01_18/src/components/osal/src/inc/comdef.h: C:/ti/simplelink/ble_sdk_2_02_01_18/src/components/hal/src/target/_common/hal_types.h: C:/ti/simplelink/ble_sdk_2_02_01_18/src/components/osal/src/inc/OSAL_Memory.h: C:/ti/simplelink/ble_sdk_2_02_01_18/src/components/osal/src/inc/OSAL_Timers.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/driverlib/vims.h: C:/ti/tirtos_cc13xx_cc26xx_2_20_01_08/products/cc26xxware_2_24_02_17393/inc/hw_vims.h: C:/ti/simplelink/ble_sdk_2_02_01_18/src/components/osal/src/mcu/cc26xx/./../../../../services/src/nv/cc26xx/nvocop.h: C:/ti/simplelink/ble_sdk_2_02_01_18/src/components/osal/src/mcu/cc26xx/./../../../../services/src/nv/cc26xx/../nvintf.h:
D
int maxBeauty(int[][] plates, int p) { if (p == 0) return 0; int beauty = 0; foreach(i; plates.length.iota) { if (plates[i].length > 0) { auto cl = plates.array; const int first = cl[i][0]; cl[i] = cl[i][1..$]; beauty = max(beauty, first + maxBeauty(cl, p-1)); } } return beauty; } int solve() { int k, n, p; readln.formattedRead!"%d %d %d"(n, k, p); //plates auto x = new int[][](n, k); foreach (i; 0..n) { readln.split.map!(to!int).copy(x[i]); } return maxBeauty(x, p); } void main() { int t; readln.formattedRead!"%d"(t); foreach (i; 1..t+1) { auto ans = solve(); writefln("Case #%d: %s", i, ans); } } import std.stdio; import std.conv; import std.format; import std.range; import std.algorithm;
D
// Copyright © 2012-2013, Bernard Helyer. All rights reserved. // See copyright notice in src/volt/license.d (BOOST ver. 1.0). module volt.semantic.typeidreplacer; import std.string : format; import ir = volt.ir.ir; import volt.ir.util; import volt.exceptions; import volt.interfaces; import volt.visitor.visitor; import volt.semantic.typeinfo; import volt.semantic.mangle; import volt.semantic.lookup; /** * Replaces typeid(...) expressions with a call * to the TypeInfo's constructor. */ class TypeidReplacer : NullVisitor, Pass { public: LanguagePass lp; ir.Struct typeinfoVtable; ir.Module thisModule; public: this(LanguagePass lp) { this.lp = lp; } override void transform(ir.Module m) { thisModule = m; accept(m, this); } override void close() { } override Status enter(ref ir.Exp exp, ir.Typeid _typeid) { assert(_typeid.type !is null); auto asTR = cast(ir.TypeReference) _typeid.type; ir.Aggregate asAggr; if (asTR !is null) { asAggr = cast(ir.Aggregate) asTR.type; } if (asAggr !is null) { assert(asAggr.typeInfo !is null); exp = buildExpReference(exp.location, asAggr.typeInfo, asAggr.typeInfo.name); return Continue; } string name = getTypeInfoVarName(_typeid.type); auto typeidStore = lookupOnlyThisScope(lp, thisModule.myScope, exp.location, name); if (typeidStore !is null) { auto asVar = cast(ir.Variable) typeidStore.node; exp = buildExpReference(exp.location, asVar, asVar.name); return Continue; } ir.Variable literalVar = buildTypeInfo(lp, thisModule.myScope, _typeid.type); thisModule.children.nodes = literalVar ~ thisModule.children.nodes; thisModule.myScope.addValue(literalVar, literalVar.name); exp = buildExpReference(exp.location, literalVar, literalVar.name); return Continue; } }
D
/Users/olegammelgaard/Downloads/shapedk-interview-project-forecast-8bde1a245103/Build/Intermediates/forecast.build/Debug-iphonesimulator/Client.build/Objects-normal/x86_64/Utilities.o : /Users/olegammelgaard/Downloads/shapedk-interview-project-forecast-8bde1a245103/Client/Sources/HTTPMethod.swift /Users/olegammelgaard/Downloads/shapedk-interview-project-forecast-8bde1a245103/Client/Sources/DecodeResource.swift /Users/olegammelgaard/Downloads/shapedk-interview-project-forecast-8bde1a245103/Client/Sources/APIError.swift /Users/olegammelgaard/Downloads/shapedk-interview-project-forecast-8bde1a245103/Client/Sources/Utilities.swift /Users/olegammelgaard/Downloads/shapedk-interview-project-forecast-8bde1a245103/Client/Sources/RequestParameters.swift /Users/olegammelgaard/Downloads/shapedk-interview-project-forecast-8bde1a245103/Client/Sources/Result.swift /Users/olegammelgaard/Downloads/shapedk-interview-project-forecast-8bde1a245103/Client/Sources/Client.swift /Users/olegammelgaard/Downloads/shapedk-interview-project-forecast-8bde1a245103/Client/Sources/Request.swift /Applications/Xcode-10.2.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode-10.2.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode-10.2.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode-10.2.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode-10.2.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode-10.2.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode-10.2.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode-10.2.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Applications/Xcode-10.2.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode-10.2.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode-10.2.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode-10.2.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/olegammelgaard/Downloads/shapedk-interview-project-forecast-8bde1a245103/Client/Client.h /Users/olegammelgaard/Downloads/shapedk-interview-project-forecast-8bde1a245103/Build/Intermediates/forecast.build/Debug-iphonesimulator/Client.build/unextended-module.modulemap /Applications/Xcode-10.2.1.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode-10.2.1.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode-10.2.1.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode-10.2.1.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode-10.2.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotes /Applications/Xcode-10.2.1.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode-10.2.1.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/usr/include/Darwin.apinotes /Applications/Xcode-10.2.1.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode-10.2.1.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode-10.2.1.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode-10.2.1.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode-10.2.1.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/olegammelgaard/Downloads/shapedk-interview-project-forecast-8bde1a245103/Build/Intermediates/forecast.build/Debug-iphonesimulator/Client.build/Objects-normal/x86_64/Utilities~partial.swiftmodule : /Users/olegammelgaard/Downloads/shapedk-interview-project-forecast-8bde1a245103/Client/Sources/HTTPMethod.swift /Users/olegammelgaard/Downloads/shapedk-interview-project-forecast-8bde1a245103/Client/Sources/DecodeResource.swift /Users/olegammelgaard/Downloads/shapedk-interview-project-forecast-8bde1a245103/Client/Sources/APIError.swift /Users/olegammelgaard/Downloads/shapedk-interview-project-forecast-8bde1a245103/Client/Sources/Utilities.swift /Users/olegammelgaard/Downloads/shapedk-interview-project-forecast-8bde1a245103/Client/Sources/RequestParameters.swift /Users/olegammelgaard/Downloads/shapedk-interview-project-forecast-8bde1a245103/Client/Sources/Result.swift /Users/olegammelgaard/Downloads/shapedk-interview-project-forecast-8bde1a245103/Client/Sources/Client.swift /Users/olegammelgaard/Downloads/shapedk-interview-project-forecast-8bde1a245103/Client/Sources/Request.swift /Applications/Xcode-10.2.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode-10.2.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode-10.2.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode-10.2.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode-10.2.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode-10.2.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode-10.2.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode-10.2.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Applications/Xcode-10.2.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode-10.2.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode-10.2.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode-10.2.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/olegammelgaard/Downloads/shapedk-interview-project-forecast-8bde1a245103/Client/Client.h /Users/olegammelgaard/Downloads/shapedk-interview-project-forecast-8bde1a245103/Build/Intermediates/forecast.build/Debug-iphonesimulator/Client.build/unextended-module.modulemap /Applications/Xcode-10.2.1.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode-10.2.1.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode-10.2.1.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode-10.2.1.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode-10.2.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotes /Applications/Xcode-10.2.1.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode-10.2.1.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/usr/include/Darwin.apinotes /Applications/Xcode-10.2.1.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode-10.2.1.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode-10.2.1.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode-10.2.1.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode-10.2.1.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/olegammelgaard/Downloads/shapedk-interview-project-forecast-8bde1a245103/Build/Intermediates/forecast.build/Debug-iphonesimulator/Client.build/Objects-normal/x86_64/Utilities~partial.swiftdoc : /Users/olegammelgaard/Downloads/shapedk-interview-project-forecast-8bde1a245103/Client/Sources/HTTPMethod.swift /Users/olegammelgaard/Downloads/shapedk-interview-project-forecast-8bde1a245103/Client/Sources/DecodeResource.swift /Users/olegammelgaard/Downloads/shapedk-interview-project-forecast-8bde1a245103/Client/Sources/APIError.swift /Users/olegammelgaard/Downloads/shapedk-interview-project-forecast-8bde1a245103/Client/Sources/Utilities.swift /Users/olegammelgaard/Downloads/shapedk-interview-project-forecast-8bde1a245103/Client/Sources/RequestParameters.swift /Users/olegammelgaard/Downloads/shapedk-interview-project-forecast-8bde1a245103/Client/Sources/Result.swift /Users/olegammelgaard/Downloads/shapedk-interview-project-forecast-8bde1a245103/Client/Sources/Client.swift /Users/olegammelgaard/Downloads/shapedk-interview-project-forecast-8bde1a245103/Client/Sources/Request.swift /Applications/Xcode-10.2.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/ObjectiveC.swiftmodule /Applications/Xcode-10.2.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreImage.swiftmodule /Applications/Xcode-10.2.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/QuartzCore.swiftmodule /Applications/Xcode-10.2.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.swiftmodule /Applications/Xcode-10.2.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Metal.swiftmodule /Applications/Xcode-10.2.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Darwin.swiftmodule /Applications/Xcode-10.2.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Foundation.swiftmodule /Applications/Xcode-10.2.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreFoundation.swiftmodule /Applications/Xcode-10.2.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/CoreGraphics.swiftmodule /Applications/Xcode-10.2.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Swift.swiftmodule /Applications/Xcode-10.2.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/UIKit.swiftmodule /Applications/Xcode-10.2.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/SwiftOnoneSupport.swiftmodule /Users/olegammelgaard/Downloads/shapedk-interview-project-forecast-8bde1a245103/Client/Client.h /Users/olegammelgaard/Downloads/shapedk-interview-project-forecast-8bde1a245103/Build/Intermediates/forecast.build/Debug-iphonesimulator/Client.build/unextended-module.modulemap /Applications/Xcode-10.2.1.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode-10.2.1.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode-10.2.1.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode-10.2.1.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode-10.2.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/x86_64/Dispatch.apinotes /Applications/Xcode-10.2.1.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode-10.2.1.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/usr/include/Darwin.apinotes /Applications/Xcode-10.2.1.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode-10.2.1.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode-10.2.1.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode-10.2.1.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode-10.2.1.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.2.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
D
/* * DSFML - The Simple and Fast Multimedia Library for D * * Copyright (c) 2013 - 2017 Jeremy DeHaan (dehaan.jeremiah@gmail.com) * * This software is provided 'as-is', without any express or implied warranty. * In no event will the authors be held liable for any damages arising from the * use of this software. * * Permission is granted to anyone to use this software for any purpose, * including commercial applications, and to alter it and redistribute it * freely, subject to the following restrictions: * * 1. The origin of this software must not be misrepresented; you must not claim * that you wrote the original software. If you use this software in a product, * an acknowledgment in the product documentation would be appreciated but is * not required. * * 2. Altered source versions must be plainly marked as such, and must not be * misrepresented as being the original software. * * 3. This notice may not be removed or altered from any source distribution */ /** * Touch provides an interface to the state of the touches. * * It only contains static functions, so it's not meant to be instantiated. * * This class allows users to query the touches state at any time and directly, * without having to deal with a window and its events. Compared to the * `TouchBegan`, `TouchMoved` and `TouchEnded` events, Touch can retrieve the * state of the touches at any time (you don't need to store and update a * boolean on your side in order to know if a touch is down), and you always get * the real state of the touches, even if they happen when your window is out of * focus and no event is triggered. * * The `getPosition` function can be used to retrieve the current position of a * touch. There are two versions: one that operates in global coordinates * (relative to the desktop) and one that operates in window coordinates * (relative to a specific window). * * Touches are identified by an index (the "finger"), so that in multi-touch * events, individual touches can be tracked correctly. As long as a finger * touches the screen, it will keep the same index even if other fingers start * or stop touching the screen in the meantime. As a consequence, active touch * indices may not always be sequential (i.e. touch number 0 may be released * while touch number 1 is still down). * * Example: * --- * if (Touch.isDown(0)) * { * // touch 0 is down * } * * // get global position of touch 1 * Vector2i globalPos = Touch.getPosition(1); * * // get position of touch 1 relative to a window * Vector2i relativePos = Touch.getPosition(1, window); * --- * * See_Also: * $(JOYSTICK_LINK), $(KEYBOARD_LINK), $(MOUSE_LINK) */ module dsfml.window.touch; import dsfml.system.vector2; import dsfml.window.window; /** * Give access to the real-time state of the touches. */ final abstract class Touch { /** * Check if a touch event is currently down. * * Params: * finger = Finger index * * Returns: true if finger is currently touching the screen, false otherwise. */ static bool isDown (uint finger) { return sfTouch_isDown (finger); } /** * Get the current position of a touch in desktop coordinates. * * This function returns the current touch position in global (desktop) * coordinates. * * Params: * finger = Finger index * * Returns: Current position of finger, or undefined if it's not down. */ static Vector2i getPosition (uint finger) { Vector2i getPosition; sfTouch_getPosition(finger, null, &getPosition.x, &getPosition.y); return getPosition; } /** * Get the current position of a touch in window coordinates. * * This function returns the current touch position in relative (window) * coordinates. * * Params: * finger = Finger index * * Returns: * Current position of finger, or undefined if it's not down */ static Vector2i getPosition (uint finger, const(Window) relativeTo) { Vector2i getPosition; sfTouch_getPosition(finger, relativeTo.sfPtr, &getPosition.x, &getPosition.y); return getPosition; } } private extern(C) { //Check if a touch event is currently down bool sfTouch_isDown (uint finger); //Get the current position of a given touch void sfTouch_getPosition(uint finger, const(sfWindow)* relativeTo, int* x, int* y); }
D
import std.string, std.stdio, std.array; import squares; import flips; import bitboard; class Intervening { ulong rays[64][64]; Squares sqs; ulong one = 1; ulong astones; ulong tstones; ulong move; this() { sqs = new Squares(); for (int i=0; i<64; i++) { move = sqs.square_list[i].mask; // DisplayBitBoard(move); // writeln(); for (int j=0; j<64; j++) { astones = sqs.square_list[j].mask; // DisplayBitBoard(astones); // writeln(); // DisplayBitBoard(sqs.square_list[j].att_mask); // writeln; if (sqs.square_list[i].att_mask & astones) { tstones = ~(move | astones); rays[i][j] = getFlips(move, astones, tstones); /* writeln("j = ",j," i = ",i); DisplayBitBoard(rays[j][i]); writeln(); writeln("move"); DisplayBitBoard(move); writeln(); writeln("astones"); DisplayBitBoard(astones); writeln(); writeln("tstones"); DisplayBitBoard(tstones); writeln(); */ } } } } ulong getRays(int from, int to, ulong tstones) { ulong test = 0; ulong flips = 0; ulong ray = 0; ray = rays[from][to]; test = ray & tstones; /* writeln("from = ",from," to = ",to); DisplayBitBoard(rays[from][to]); writeln(); writeln("tstones"); DisplayBitBoard(tstones); writeln(); writeln("test"); DisplayBitBoard(test); writeln(); */ test ^= ray; // writeln("test ^= rays"); // DisplayBitBoard(test); if (test == 0) flips = ray; // writeln("flips"); // DisplayBitBoard(flips); // writeln(); return flips; } }
D
/** * This module contains a collection of bit-level operations. * * Copyright: Copyright Don Clugston 2005 - 2013. * License: $(LINK2 http://www.boost.org/LICENSE_1_0.txt, Boost License 1.0) * Authors: Don Clugston, Sean Kelly, Walter Bright, Alex Rønne Petersen * Source: $(DRUNTIMESRC core/_bitop.d) */ module core.bitop; nothrow: @safe: @nogc: version( D_InlineAsm_X86_64 ) version = AsmX86; else version( D_InlineAsm_X86 ) version = AsmX86; version (X86_64) version = AnyX86; else version (X86) version = AnyX86; /** * Scans the bits in v starting with bit 0, looking * for the first set bit. * Returns: * The bit number of the first bit set. * The return value is undefined if v is zero. * Example: * --- * import core.bitop; * * int main() * { * assert(bsf(0x21) == 0); * return 0; * } * --- */ int bsf(size_t v) pure; unittest { assert(bsf(0x21) == 0); } /** * Scans the bits in v from the most significant bit * to the least significant bit, looking * for the first set bit. * Returns: * The bit number of the first bit set. * The return value is undefined if v is zero. * Example: * --- * import core.bitop; * * int main() * { * assert(bsr(0x21) == 5); * return 0; * } * --- */ int bsr(size_t v) pure; unittest { assert(bsr(0x21) == 5); } /** * Tests the bit. * (No longer an intrisic - the compiler recognizes the patterns * in the body.) */ int bt(in size_t* p, size_t bitnum) pure @system { static if (size_t.sizeof == 8) return ((p[bitnum >> 6] & (1L << (bitnum & 63)))) != 0; else static if (size_t.sizeof == 4) return ((p[bitnum >> 5] & (1 << (bitnum & 31)))) != 0; else static assert(0); } /// @system pure unittest { size_t[2] array; array[0] = 2; array[1] = 0x100; assert(bt(array.ptr, 1)); assert(array[0] == 2); assert(array[1] == 0x100); } /** * Tests and complements the bit. */ int btc(size_t* p, size_t bitnum) pure @system; /** * Tests and resets (sets to 0) the bit. */ int btr(size_t* p, size_t bitnum) pure @system; /** * Tests and sets the bit. * Params: * p = a non-NULL pointer to an array of size_ts. * bitnum = a bit number, starting with bit 0 of p[0], * and progressing. It addresses bits like the expression: --- p[index / (size_t.sizeof*8)] & (1 << (index & ((size_t.sizeof*8) - 1))) --- * Returns: * A non-zero value if the bit was set, and a zero * if it was clear. */ int bts(size_t* p, size_t bitnum) pure @system; /// @system pure unittest { size_t[2] array; array[0] = 2; array[1] = 0x100; assert(btc(array.ptr, 35) == 0); if (size_t.sizeof == 8) { assert(array[0] == 0x8_0000_0002); assert(array[1] == 0x100); } else { assert(array[0] == 2); assert(array[1] == 0x108); } assert(btc(array.ptr, 35)); assert(array[0] == 2); assert(array[1] == 0x100); assert(bts(array.ptr, 35) == 0); if (size_t.sizeof == 8) { assert(array[0] == 0x8_0000_0002); assert(array[1] == 0x100); } else { assert(array[0] == 2); assert(array[1] == 0x108); } assert(btr(array.ptr, 35)); assert(array[0] == 2); assert(array[1] == 0x100); } /** * Swaps bytes in a 4 byte uint end-to-end, i.e. byte 0 becomes * byte 3, byte 1 becomes byte 2, byte 2 becomes byte 1, byte 3 * becomes byte 0. */ uint bswap(uint v) pure; version (DigitalMars) version (AnyX86) @system // not pure { /** * Reads I/O port at port_address. */ ubyte inp(uint port_address); /** * ditto */ ushort inpw(uint port_address); /** * ditto */ uint inpl(uint port_address); /** * Writes and returns value to I/O port at port_address. */ ubyte outp(uint port_address, ubyte value); /** * ditto */ ushort outpw(uint port_address, ushort value); /** * ditto */ uint outpl(uint port_address, uint value); } version (AnyX86) { /** * Calculates the number of set bits in a 32-bit integer * using the X86 SSE4 POPCNT instruction. * POPCNT is not available on all X86 CPUs. */ ushort _popcnt( ushort x ) pure; /// ditto int _popcnt( uint x ) pure; version (X86_64) { /// ditto int _popcnt( ulong x ) pure; } unittest { // Not everyone has SSE4 instructions import core.cpuid; if (!hasPopcnt) return; static int popcnt_x(ulong u) nothrow @nogc { int c; while (u) { c += u & 1; u >>= 1; } return c; } for (uint u = 0; u < 0x1_0000; ++u) { //writefln("%x %x %x", u, _popcnt(cast(ushort)u), popcnt_x(cast(ushort)u)); assert(_popcnt(cast(ushort)u) == popcnt_x(cast(ushort)u)); assert(_popcnt(cast(uint)u) == popcnt_x(cast(uint)u)); uint ui = u * 0x3_0001; assert(_popcnt(ui) == popcnt_x(ui)); version (X86_64) { assert(_popcnt(cast(ulong)u) == popcnt_x(cast(ulong)u)); ulong ul = u * 0x3_0003_0001; assert(_popcnt(ul) == popcnt_x(ul)); } } } } /************************************* * Read/write value from/to the memory location indicated by ptr. * * These functions are recognized by the compiler, and calls to them are guaranteed * to not be removed (as dead assignment elimination or presumed to have no effect) * or reordered in the same thread. * * These reordering guarantees are only made with regards to other * operations done through these functions; the compiler is free to reorder regular * loads/stores with regards to loads/stores done through these functions. * * This is useful when dealing with memory-mapped I/O (MMIO) where a store can * have an effect other than just writing a value, or where sequential loads * with no intervening stores can retrieve * different values from the same location due to external stores to the location. * * These functions will, when possible, do the load/store as a single operation. In * general, this is possible when the size of the operation is less than or equal to * $(D (void*).sizeof), although some targets may support larger operations. If the * load/store cannot be done as a single operation, multiple smaller operations will be used. * * These are not to be conflated with atomic operations. They do not guarantee any * atomicity. This may be provided by coincidence as a result of the instructions * used on the target, but this should not be relied on for portable programs. * Further, no memory fences are implied by these functions. * They should not be used for communication between threads. * They may be used to guarantee a write or read cycle occurs at a specified address. */ ubyte volatileLoad(ubyte * ptr); ushort volatileLoad(ushort* ptr); /// ditto uint volatileLoad(uint * ptr); /// ditto ulong volatileLoad(ulong * ptr); /// ditto void volatileStore(ubyte * ptr, ubyte value); /// ditto void volatileStore(ushort* ptr, ushort value); /// ditto void volatileStore(uint * ptr, uint value); /// ditto void volatileStore(ulong * ptr, ulong value); /// ditto @system unittest { alias TT(T...) = T; foreach (T; TT!(ubyte, ushort, uint, ulong)) { T u; T* p = &u; volatileStore(p, 1); T r = volatileLoad(p); assert(r == u); } } /** * Calculates the number of set bits in a 32-bit integer. */ int popcnt( uint x ) pure { // Avoid branches, and the potential for cache misses which // could be incurred with a table lookup. // We need to mask alternate bits to prevent the // sum from overflowing. // add neighbouring bits. Each bit is 0 or 1. x = x - ((x>>1) & 0x5555_5555); // now each two bits of x is a number 00,01 or 10. // now add neighbouring pairs x = ((x&0xCCCC_CCCC)>>2) + (x&0x3333_3333); // now each nibble holds 0000-0100. Adding them won't // overflow any more, so we don't need to mask any more // Now add the nibbles, then the bytes, then the words // We still need to mask to prevent double-counting. // Note that if we used a rotate instead of a shift, we // wouldn't need the masks, and could just divide the sum // by 8 to account for the double-counting. // On some CPUs, it may be faster to perform a multiply. x += (x>>4); x &= 0x0F0F_0F0F; x += (x>>8); x &= 0x00FF_00FF; x += (x>>16); x &= 0xFFFF; return x; } unittest { assert( popcnt( 0 ) == 0 ); assert( popcnt( 7 ) == 3 ); assert( popcnt( 0xAA )== 4 ); assert( popcnt( 0x8421_1248 ) == 8 ); assert( popcnt( 0xFFFF_FFFF ) == 32 ); assert( popcnt( 0xCCCC_CCCC ) == 16 ); assert( popcnt( 0x7777_7777 ) == 24 ); } /** * Reverses the order of bits in a 32-bit integer. */ @trusted uint bitswap( uint x ) pure { version (AsmX86) { asm pure nothrow @nogc { naked; } version (D_InlineAsm_X86_64) { version (Win64) asm pure nothrow @nogc { mov EAX, ECX; } else asm pure nothrow @nogc { mov EAX, EDI; } } asm pure nothrow @nogc { // Author: Tiago Gasiba. mov EDX, EAX; shr EAX, 1; and EDX, 0x5555_5555; and EAX, 0x5555_5555; shl EDX, 1; or EAX, EDX; mov EDX, EAX; shr EAX, 2; and EDX, 0x3333_3333; and EAX, 0x3333_3333; shl EDX, 2; or EAX, EDX; mov EDX, EAX; shr EAX, 4; and EDX, 0x0f0f_0f0f; and EAX, 0x0f0f_0f0f; shl EDX, 4; or EAX, EDX; bswap EAX; ret; } } else { // swap odd and even bits x = ((x >> 1) & 0x5555_5555) | ((x & 0x5555_5555) << 1); // swap consecutive pairs x = ((x >> 2) & 0x3333_3333) | ((x & 0x3333_3333) << 2); // swap nibbles x = ((x >> 4) & 0x0F0F_0F0F) | ((x & 0x0F0F_0F0F) << 4); // swap bytes x = ((x >> 8) & 0x00FF_00FF) | ((x & 0x00FF_00FF) << 8); // swap 2-byte long pairs x = ( x >> 16 ) | ( x << 16); return x; } } unittest { assert( bitswap( 0x8000_0100 ) == 0x0080_0001 ); foreach(i; 0 .. 32) assert(bitswap(1 << i) == 1 << 32 - i - 1); }
D
/** A simple HTTP/1.1 client implementation. Copyright: © 2012-2014 Sönke Ludwig License: Subject to the terms of the MIT license, as written in the included LICENSE.txt file. Authors: Sönke Ludwig, Jan Krüger */ module vibe.http.client; public import vibe.core.net; public import vibe.http.common; public import vibe.inet.url; import vibe.core.connectionpool; import vibe.core.core; import vibe.core.log; import vibe.data.json; import vibe.inet.message; import vibe.inet.url; import vibe.stream.counting; import vibe.stream.tls; import vibe.stream.operations; import vibe.stream.wrapper : createConnectionProxyStream; import vibe.stream.zlib; import vibe.utils.array; import vibe.utils.dictionarylist; import vibe.internal.allocator; import vibe.internal.freelistref; import vibe.internal.interfaceproxy : InterfaceProxy, interfaceProxy; import core.exception : AssertError; import std.algorithm : splitter; import std.array; import std.conv; import std.encoding : sanitize; import std.exception; import std.format; import std.string; import std.typecons; import std.datetime; import std.socket : AddressFamily; version(Posix) { version = UnixSocket; } /**************************************************************************************************/ /* Public functions */ /**************************************************************************************************/ @safe: /** Performs a synchronous HTTP request on the specified URL. The requester parameter allows to customize the request and to specify the request body for non-GET requests before it is sent. A response object is then returned or passed to the responder callback synchronously. This function is a low-level HTTP client facility. It will not perform automatic redirect, caching or similar tasks. For a high-level download facility (similar to cURL), see the `vibe.inet.urltransfer` module. Note that it is highly recommended to use one of the overloads that take a responder callback, as they can avoid some memory allocations and are safe against accidentally leaving stale response objects (objects whose response body wasn't fully read). For the returning overloads of the function it is recommended to put a `scope(exit)` right after the call in which `HTTPClientResponse.dropBody` is called to avoid this. See_also: `vibe.inet.urltransfer.download` */ HTTPClientResponse requestHTTP(string url, scope void delegate(scope HTTPClientRequest req) requester = null, const(HTTPClientSettings) settings = defaultSettings) { return requestHTTP(URL.parse(url), requester, settings); } /// ditto HTTPClientResponse requestHTTP(URL url, scope void delegate(scope HTTPClientRequest req) requester = null, const(HTTPClientSettings) settings = defaultSettings) { import std.algorithm.searching : canFind; bool use_tls = isTLSRequired(url, settings); auto cli = connectHTTP(url.getFilteredHost, url.port, use_tls, settings); auto res = cli.request( (scope req){ httpRequesterDg(req, url, settings, requester); }, ); // make sure the connection stays locked if the body still needs to be read if( res.m_client ) res.lockedConnection = cli; logTrace("Returning HTTPClientResponse for conn %s", () @trusted { return cast(void*)res.lockedConnection.__conn; } ()); return res; } /// ditto void requestHTTP(string url, scope void delegate(scope HTTPClientRequest req) requester, scope void delegate(scope HTTPClientResponse req) responder, const(HTTPClientSettings) settings = defaultSettings) { requestHTTP(URL(url), requester, responder, settings); } /// ditto void requestHTTP(URL url, scope void delegate(scope HTTPClientRequest req) requester, scope void delegate(scope HTTPClientResponse req) responder, const(HTTPClientSettings) settings = defaultSettings) { bool use_tls = isTLSRequired(url, settings); auto cli = connectHTTP(url.getFilteredHost, url.port, use_tls, settings); cli.request( (scope req){ httpRequesterDg(req, url, settings, requester); }, responder ); assert(!cli.m_requesting, "HTTP client still requesting after return!?"); assert(!cli.m_responding, "HTTP client still responding after return!?"); } private bool isTLSRequired(in URL url, in HTTPClientSettings settings) { version(UnixSocket) { enforce(url.schema == "http" || url.schema == "https" || url.schema == "http+unix" || url.schema == "https+unix", "URL schema must be http(s) or http(s)+unix."); } else { enforce(url.schema == "http" || url.schema == "https", "URL schema must be http(s)."); } enforce(url.host.length > 0, "URL must contain a host name."); bool use_tls; if (settings.proxyURL.schema !is null) use_tls = settings.proxyURL.schema == "https"; else { version(UnixSocket) use_tls = url.schema == "https" || url.schema == "https+unix"; else use_tls = url.schema == "https"; } return use_tls; } private void httpRequesterDg(scope HTTPClientRequest req, in URL url, in HTTPClientSettings settings, scope void delegate(scope HTTPClientRequest req) requester) { import std.algorithm.searching : canFind; import vibe.http.internal.basic_auth_client: addBasicAuth; if (url.localURI.length) { assert(url.path.absolute, "Request URL path must be absolute."); req.requestURL = url.localURI; } if (settings.proxyURL.schema !is null) req.requestURL = url.toString(); // proxy exception to the URL representation // IPv6 addresses need to be put into brackets auto hoststr = url.host.canFind(':') ? "["~url.host~"]" : url.host; // Provide port number when it is not the default one (RFC2616 section 14.23) if (url.port && url.port != url.defaultPort) req.headers["Host"] = format("%s:%d", hoststr, url.port); else req.headers["Host"] = hoststr; if ("authorization" !in req.headers && url.username != "") req.addBasicAuth(url.username, url.password); if (requester) () @trusted { requester(req); } (); } /** Posts a simple JSON request. Note that the server www.example.org does not exists, so there will be no meaningful result. */ unittest { import vibe.core.log; import vibe.http.client; import vibe.stream.operations; void test() { requestHTTP("http://www.example.org/", (scope req) { req.method = HTTPMethod.POST; //req.writeJsonBody(["name": "My Name"]); }, (scope res) { logInfo("Response: %s", res.bodyReader.readAllUTF8()); } ); } } /** Returns a HTTPClient proxy object that is connected to the specified host. Internally, a connection pool is used to reuse already existing connections. Note that usually requestHTTP should be used for making requests instead of manually using a HTTPClient to do so. */ auto connectHTTP(string host, ushort port = 0, bool use_tls = false, const(HTTPClientSettings) settings = null) { auto sttngs = settings ? settings : defaultSettings; if (port == 0) port = use_tls ? 443 : 80; auto ckey = ConnInfo(host, port, use_tls, sttngs.proxyURL.host, sttngs.proxyURL.port, sttngs.networkInterface); ConnectionPool!HTTPClient pool; s_connections.opApply((ref c) @safe { if (c[0] == ckey) pool = c[1]; return 0; }); if (!pool) { logDebug("Create HTTP client pool %s:%s %s proxy %s:%d", host, port, use_tls, sttngs.proxyURL.host, sttngs.proxyURL.port); pool = new ConnectionPool!HTTPClient({ auto ret = new HTTPClient; ret.connect(host, port, use_tls, sttngs); return ret; }); if (s_connections.full) s_connections.popFront(); s_connections.put(tuple(ckey, pool)); } return pool.lockConnection(); } static ~this() { foreach (ci; s_connections) { ci[1].removeUnused((conn) { conn.disconnect(); }); } } private struct ConnInfo { string host; ushort port; bool useTLS; string proxyIP; ushort proxyPort; NetworkAddress bind_addr; } private static vibe.utils.array.FixedRingBuffer!(Tuple!(ConnInfo, ConnectionPool!HTTPClient), 16) s_connections; /**************************************************************************************************/ /* Public types */ /**************************************************************************************************/ /** Defines an HTTP/HTTPS proxy request or a connection timeout for an HTTPClient. */ class HTTPClientSettings { URL proxyURL; Duration defaultKeepAliveTimeout = 10.seconds; /** Timeout for establishing a connection to the server Note that this setting is only supported when using the vibe-core module. If using one of the legacy drivers, any value other than `Duration.max` will emit a runtime warning and connects without a specific timeout. */ Duration connectTimeout = Duration.max; /// Timeout during read operations on the underyling transport Duration readTimeout = Duration.max; /// Forces a specific network interface to use for outgoing connections. NetworkAddress networkInterface = anyAddress; /// Can be used to force looking up IPv4/IPv6 addresses for host names. AddressFamily dnsAddressFamily = AddressFamily.UNSPEC; /** Allows to customize the TLS context before connecting to a server. Note that this overrides a callback set with `HTTPClient.setTLSContextSetup`. */ void delegate(TLSContext ctx) @safe nothrow tlsContextSetup; @property HTTPClientSettings dup() const @safe { auto ret = new HTTPClientSettings; ret.proxyURL = this.proxyURL; ret.connectTimeout = this.connectTimeout; ret.readTimeout = this.readTimeout; ret.networkInterface = this.networkInterface; ret.dnsAddressFamily = this.dnsAddressFamily; ret.tlsContextSetup = this.tlsContextSetup; return ret; } } /// unittest { void test() { HTTPClientSettings settings = new HTTPClientSettings; settings.proxyURL = URL.parse("http://proxyuser:proxypass@192.168.2.50:3128"); settings.defaultKeepAliveTimeout = 0.seconds; // closes connection immediately after receiving the data. requestHTTP("http://www.example.org", (scope req){ req.method = HTTPMethod.GET; }, (scope res){ logInfo("Headers:"); foreach(key, ref value; res.headers) { logInfo("%s: %s", key, value); } logInfo("Response: %s", res.bodyReader.readAllUTF8()); }, settings); } } version (Have_vibe_core) unittest { // test connect timeout import std.conv : to; import vibe.core.stream : pipe, nullSink; HTTPClientSettings settings = new HTTPClientSettings; settings.connectTimeout = 50.msecs; // Use an IP address that is guaranteed to be unassigned globally to force // a timeout (see RFC 3330) auto cli = connectHTTP("192.0.2.0", 80, false, settings); auto timer = setTimer(500.msecs, { assert(false, "Connect timeout occurred too late"); }); scope (exit) timer.stop(); try { cli.request( (scope req) { assert(false, "Expected no connection"); }, (scope res) { assert(false, "Expected no response"); } ); assert(false, "Response read expected to fail due to timeout"); } catch(Exception e) {} } unittest { // test read timeout import std.conv : to; import vibe.core.stream : pipe, nullSink; version (VibeLibasyncDriver) { logInfo("Skipping HTTP client read timeout test due to buggy libasync driver."); } else { HTTPClientSettings settings = new HTTPClientSettings; settings.readTimeout = 50.msecs; auto l = listenTCP(0, (conn) { try conn.pipe(nullSink); catch (Exception e) assert(false, e.msg); conn.close(); }, "127.0.0.1"); auto cli = connectHTTP("127.0.0.1", l.bindAddress.port, false, settings); auto timer = setTimer(500.msecs, { assert(false, "Read timeout occurred too late"); }); scope (exit) { timer.stop(); l.stopListening(); cli.disconnect(); sleep(10.msecs); // allow the read connection end to fully close } try { cli.request( (scope req) { req.method = HTTPMethod.GET; }, (scope res) { assert(false, "Expected no response"); } ); assert(false, "Response read expected to fail due to timeout"); } catch(Exception e) {} } } /** Implementation of a HTTP 1.0/1.1 client with keep-alive support. Note that it is usually recommended to use requestHTTP for making requests as that will use a pool of HTTPClient instances to keep the number of connection establishments low while not blocking requests from different tasks. */ final class HTTPClient { @safe: enum maxHeaderLineLength = 4096; private { Rebindable!(const(HTTPClientSettings)) m_settings; string m_server; ushort m_port; bool m_useTLS; TCPConnection m_conn; InterfaceProxy!Stream m_stream; TLSStream m_tlsStream; TLSContext m_tls; static __gshared m_userAgent = "vibe.d/"~vibeVersionString~" (HTTPClient, +http://vibed.org/)"; static __gshared void function(TLSContext) ms_tlsSetup; bool m_requesting = false, m_responding = false; SysTime m_keepAliveLimit; Duration m_keepAliveTimeout; } /** Get the current settings for the HTTP client. **/ @property const(HTTPClientSettings) settings() const { return m_settings; } /** Sets the default user agent string for new HTTP requests. */ static void setUserAgentString(string str) @trusted { m_userAgent = str; } /** Sets a callback that will be called for every TLS context that is created. Setting such a callback is useful for adjusting the validation parameters of the TLS context. */ static void setTLSSetupCallback(void function(TLSContext) @safe func) @trusted { ms_tlsSetup = func; } /** Connects to a specific server. This method may only be called if any previous connection has been closed. */ void connect(string server, ushort port = 80, bool use_tls = false, const(HTTPClientSettings) settings = defaultSettings) { assert(!m_conn); assert(port != 0); disconnect(); m_conn = TCPConnection.init; m_settings = settings; m_keepAliveTimeout = settings.defaultKeepAliveTimeout; m_keepAliveLimit = Clock.currTime(UTC()) + m_keepAliveTimeout; m_server = server; m_port = port; m_useTLS = use_tls; if (use_tls) { m_tls = createTLSContext(TLSContextKind.client); // this will be changed to trustedCert once a proper root CA store is available by default m_tls.peerValidationMode = TLSPeerValidationMode.none; if (settings.tlsContextSetup) settings.tlsContextSetup(m_tls); else () @trusted { if (ms_tlsSetup) ms_tlsSetup(m_tls); } (); } } /** Forcefully closes the TCP connection. Before calling this method, be sure that no request is currently being processed. */ void disconnect() nothrow { if (m_conn) { version (Have_vibe_core) {} else scope(failure) assert(false); if (m_conn.connected) { try m_stream.finalize(); catch (Exception e) logDebug("Failed to finalize connection stream when closing HTTP client connection: %s", e.msg); m_conn.close(); } if (m_useTLS) () @trusted { return destroy(m_stream); } (); m_stream = InterfaceProxy!Stream.init; () @trusted { return destroy(m_conn); } (); m_conn = TCPConnection.init; } } private void doProxyRequest(T, U)(ref T res, U requester, ref bool close_conn, ref bool has_body) @trusted { // scope new import std.conv : to; import vibe.internal.utilallocator: RegionListAllocator; version (VibeManualMemoryManagement) scope request_allocator = new RegionListAllocator!(shared(Mallocator), false)(1024, Mallocator.instance); else scope request_allocator = new RegionListAllocator!(shared(GCAllocator), true)(1024, GCAllocator.instance); res.dropBody(); scope(failure) res.disconnect(); if (res.statusCode != 407) { throw new HTTPStatusException(HTTPStatus.internalServerError, "Proxy returned Proxy-Authenticate without a 407 status code."); } // send the request again with the proxy authentication information if available if (m_settings.proxyURL.username is null) { throw new HTTPStatusException(HTTPStatus.proxyAuthenticationRequired, "Proxy Authentication Required."); } m_responding = false; close_conn = false; bool found_proxy_auth; foreach (string proxyAuth; res.headers.getAll("Proxy-Authenticate")) { if (proxyAuth.length >= "Basic".length && proxyAuth[0.."Basic".length] == "Basic") { found_proxy_auth = true; break; } } if (!found_proxy_auth) { throw new HTTPStatusException(HTTPStatus.notAcceptable, "The Proxy Server didn't allow Basic Authentication"); } SysTime connected_time; has_body = doRequestWithRetry(requester, true, close_conn, connected_time); m_responding = true; static if (is(T == HTTPClientResponse)) res = new HTTPClientResponse(this, has_body, close_conn, request_allocator, connected_time); else res = scoped!HTTPClientResponse(this, has_body, close_conn, request_allocator, connected_time); if (res.headers.get("Proxy-Authenticate", null) !is null){ res.dropBody(); throw new HTTPStatusException(HTTPStatus.ProxyAuthenticationRequired, "Proxy Authentication Failed."); } } /** Performs a HTTP request. `requester` is called first to populate the request with headers and the desired HTTP method and version. After a response has been received it is then passed to the caller which can in turn read the reponse body. Any part of the body that has not been processed will automatically be consumed and dropped. Note that the `requester` callback might be invoked multiple times in the event that a request has to be resent due to a connection failure. Also note that the second form of this method (returning a `HTTPClientResponse`) is not recommended to use as it may accidentially block a HTTP connection when only part of the response body was read and also requires a heap allocation for the response object. The callback based version on the other hand uses a stack allocation and guarantees that the request has been fully processed once it has returned. */ void request(scope void delegate(scope HTTPClientRequest req) requester, scope void delegate(scope HTTPClientResponse) responder) @trusted { // scope new import vibe.internal.utilallocator: RegionListAllocator; version (VibeManualMemoryManagement) scope request_allocator = new RegionListAllocator!(shared(Mallocator), false)(1024, Mallocator.instance); else scope request_allocator = new RegionListAllocator!(shared(GCAllocator), true)(1024, GCAllocator.instance); bool close_conn; SysTime connected_time; bool has_body = doRequestWithRetry(requester, false, close_conn, connected_time); m_responding = true; auto res = scoped!HTTPClientResponse(this, has_body, close_conn, request_allocator, connected_time); // proxy implementation if (res.headers.get("Proxy-Authenticate", null) !is null) { doProxyRequest(res, requester, close_conn, has_body); } Exception user_exception; while (true) { scope (failure) { m_responding = false; disconnect(); } try responder(res); catch (Exception e) { logDebug("Error while handling response: %s", e.toString().sanitize()); user_exception = e; } if (res.statusCode < 200) { // just an informational status -> read and handle next response if (m_responding) res.dropBody(); if (m_conn) { res = scoped!HTTPClientResponse(this, has_body, close_conn, request_allocator, connected_time); continue; } } if (m_responding) { logDebug("Failed to handle the complete response of the server - disconnecting."); res.disconnect(); } assert(!m_responding, "Still in responding state after finalizing the response!?"); if (user_exception || res.headers.get("Connection") == "close") disconnect(); break; } if (user_exception) throw user_exception; } /// ditto HTTPClientResponse request(scope void delegate(HTTPClientRequest) requester) { bool close_conn; SysTime connected_time; bool has_body = doRequestWithRetry(requester, false, close_conn, connected_time); m_responding = true; auto res = new HTTPClientResponse(this, has_body, close_conn, () @trusted { return vibeThreadAllocator(); } (), connected_time); // proxy implementation if (res.headers.get("Proxy-Authenticate", null) !is null) { doProxyRequest(res, requester, close_conn, has_body); } return res; } private bool doRequestWithRetry(scope void delegate(HTTPClientRequest req) requester, bool confirmed_proxy_auth /* basic only */, out bool close_conn, out SysTime connected_time) { if (m_conn && m_conn.connected && connected_time > m_keepAliveLimit){ logDebug("Disconnected to avoid timeout"); disconnect(); } // check if this isn't the first request on a connection bool is_persistent_request = m_conn && m_conn.connected; // retry the request if the connection gets closed prematurely and this is a persistent request bool has_body; foreach (i; 0 .. is_persistent_request ? 2 : 1) { connected_time = Clock.currTime(UTC()); close_conn = false; has_body = doRequest(requester, close_conn, false, connected_time); logTrace("HTTP client waiting for response"); if (!m_stream.empty) break; enforce(i != 1, "Second attempt to send HTTP request failed."); } return has_body; } private bool doRequest(scope void delegate(HTTPClientRequest req) requester, ref bool close_conn, bool confirmed_proxy_auth = false /* basic only */, SysTime connected_time = Clock.currTime(UTC())) { assert(!m_requesting, "Interleaved HTTP client requests detected!"); assert(!m_responding, "Interleaved HTTP client request/response detected!"); m_requesting = true; scope(exit) m_requesting = false; if (!m_conn || !m_conn.connected || m_conn.waitForDataEx(0.seconds) == WaitForDataStatus.noMoreData) { if (m_conn) { m_conn.close(); // make sure all resources are freed m_conn = TCPConnection.init; } if (m_settings.proxyURL.host !is null){ enum AddressType { IPv4, IPv6, Host } static AddressType getAddressType(string host){ import std.regex : regex, Captures, Regex, matchFirst; static IPv4Regex = regex(`^\s*((25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)\.(25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)\.(25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)\.(25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?))\s*$`, ``); static IPv6Regex = regex(`^\s*((([0-9A-Fa-f]{1,4}:){7}([0-9A-Fa-f]{1,4}|:))|(([0-9A-Fa-f]{1,4}:){6}(:[0-9A-Fa-f]{1,4}|((25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)(\.(25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)){3})|:))|(([0-9A-Fa-f]{1,4}:){5}(((:[0-9A-Fa-f]{1,4}){1,2})|:((25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)(\.(25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)){3})|:))|(([0-9A-Fa-f]{1,4}:){4}(((:[0-9A-Fa-f]{1,4}){1,3})|((:[0-9A-Fa-f]{1,4})?:((25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)(\.(25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)){3}))|:))|(([0-9A-Fa-f]{1,4}:){3}(((:[0-9A-Fa-f]{1,4}){1,4})|((:[0-9A-Fa-f]{1,4}){0,2}:((25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)(\.(25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)){3}))|:))|(([0-9A-Fa-f]{1,4}:){2}(((:[0-9A-Fa-f]{1,4}){1,5})|((:[0-9A-Fa-f]{1,4}){0,3}:((25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)(\.(25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)){3}))|:))|(([0-9A-Fa-f]{1,4}:){1}(((:[0-9A-Fa-f]{1,4}){1,6})|((:[0-9A-Fa-f]{1,4}){0,4}:((25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)(\.(25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)){3}))|:))|(:(((:[0-9A-Fa-f]{1,4}){1,7})|((:[0-9A-Fa-f]{1,4}){0,5}:((25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)(\.(25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)){3}))|:)))(%.+)?\s*$`, ``); if (!matchFirst(host, IPv4Regex).empty) { return AddressType.IPv4; } else if (!matchFirst(host, IPv6Regex).empty) { return AddressType.IPv6; } else { return AddressType.Host; } } import std.functional : memoize; alias findAddressType = memoize!getAddressType; bool use_dns; if (() @trusted { return findAddressType(m_settings.proxyURL.host); } () == AddressType.Host) { use_dns = true; } NetworkAddress proxyAddr = resolveHost(m_settings.proxyURL.host, m_settings.dnsAddressFamily, use_dns); proxyAddr.port = m_settings.proxyURL.port; m_conn = connectTCPWithTimeout(proxyAddr, m_settings.networkInterface, m_settings.connectTimeout); } else { version(UnixSocket) { import core.sys.posix.sys.un; import core.sys.posix.sys.socket; import std.regex : regex, Captures, Regex, matchFirst, ctRegex; import core.stdc.string : strcpy; NetworkAddress addr; if (m_server[0] == '/') { addr.family = AF_UNIX; sockaddr_un* s = addr.sockAddrUnix(); enforce(s.sun_path.length > m_server.length, "Unix sockets cannot have that long a name."); s.sun_family = AF_UNIX; () @trusted { strcpy(cast(char*)s.sun_path.ptr,m_server.toStringz()); } (); } else { addr = resolveHost(m_server, m_settings.dnsAddressFamily); addr.port = m_port; } m_conn = connectTCPWithTimeout(addr, m_settings.networkInterface, m_settings.connectTimeout); } else { auto addr = resolveHost(m_server, m_settings.dnsAddressFamily); addr.port = m_port; m_conn = connectTCPWithTimeout(addr, m_settings.networkInterface, m_settings.connectTimeout); } } if (m_settings.readTimeout != Duration.max) m_conn.readTimeout = m_settings.readTimeout; m_stream = m_conn; if (m_useTLS) { try m_tlsStream = createTLSStream(m_conn, m_tls, TLSStreamState.connecting, m_server, m_conn.remoteAddress); catch (Exception e) { m_conn.close(); m_conn = TCPConnection.init; throw e; } m_stream = m_tlsStream; } } return () @trusted { // scoped auto req = scoped!HTTPClientRequest(m_stream, m_conn); if (m_useTLS) req.m_peerCertificate = m_tlsStream.peerCertificate; req.headers["User-Agent"] = m_userAgent; if (m_settings.proxyURL.host !is null){ req.headers["Proxy-Connection"] = "keep-alive"; if (confirmed_proxy_auth) { import std.base64; ubyte[] user_pass = cast(ubyte[])(m_settings.proxyURL.username ~ ":" ~ m_settings.proxyURL.password); req.headers["Proxy-Authorization"] = "Basic " ~ cast(string) Base64.encode(user_pass); } } else { req.headers["Connection"] = "keep-alive"; } req.headers["Accept-Encoding"] = "gzip, deflate"; req.headers["Host"] = m_server; requester(req); if (req.httpVersion == HTTPVersion.HTTP_1_0) close_conn = true; else if (m_settings.proxyURL.host !is null) close_conn = req.headers.get("Proxy-Connection", "keep-alive") != "keep-alive"; else close_conn = req.headers.get("Connection", "keep-alive") != "keep-alive"; req.finalize(); return req.method != HTTPMethod.HEAD; } (); } } private auto connectTCPWithTimeout(NetworkAddress addr, NetworkAddress bind_address, Duration timeout) { version (Have_vibe_core) { return connectTCP(addr, bind_address, timeout); } else { if (timeout != Duration.max) logWarn("HTTP client connect timeout is set, but not supported by the legacy vibe-d:core module."); return connectTCP(addr, bind_address); } } /** Represents a HTTP client request (as sent to the server). */ final class HTTPClientRequest : HTTPRequest { private { InterfaceProxy!OutputStream m_bodyWriter; FreeListRef!ChunkedOutputStream m_chunkedStream; bool m_headerWritten = false; FixedAppender!(string, 22) m_contentLengthBuffer; TCPConnection m_rawConn; TLSCertificateInformation m_peerCertificate; } /// private this(InterfaceProxy!Stream conn, TCPConnection raw_conn) { super(conn); m_rawConn = raw_conn; } @property NetworkAddress localAddress() const { return m_rawConn.localAddress; } @property NetworkAddress remoteAddress() const { return m_rawConn.remoteAddress; } @property ref inout(TLSCertificateInformation) peerCertificate() inout { return m_peerCertificate; } /** Accesses the Content-Length header of the request. Negative values correspond to an unset Content-Length header. */ @property long contentLength() const { return headers.get("Content-Length", "-1").to!long(); } /// ditto @property void contentLength(long value) { if (value >= 0) headers["Content-Length"] = clengthString(value); else if ("Content-Length" in headers) headers.remove("Content-Length"); } /** Writes the whole request body at once using raw bytes. */ void writeBody(RandomAccessStream data) { writeBody(data, data.size - data.tell()); } /// ditto void writeBody(InputStream data) { data.pipe(bodyWriter); finalize(); } /// ditto void writeBody(InputStream data, ulong length) { headers["Content-Length"] = clengthString(length); data.pipe(bodyWriter, length); finalize(); } /// ditto void writeBody(in ubyte[] data, string content_type = null) { if( content_type != "" ) headers["Content-Type"] = content_type; headers["Content-Length"] = clengthString(data.length); bodyWriter.write(data); finalize(); } /** Writes the request body as JSON data. */ void writeJsonBody(T)(T data, bool allow_chunked = false) { import vibe.stream.wrapper : streamOutputRange; headers["Content-Type"] = "application/json"; // set an explicit content-length field if chunked encoding is not allowed if (!allow_chunked) { import vibe.internal.rangeutil; long length = 0; auto counter = () @trusted { return RangeCounter(&length); } (); () @trusted { serializeToJson(counter, data); } (); headers["Content-Length"] = clengthString(length); } auto rng = streamOutputRange!1024(bodyWriter); () @trusted { serializeToJson(&rng, data); } (); rng.flush(); finalize(); } /** Writes the request body as form data. */ void writeFormBody(T)(T key_value_map) { import vibe.inet.webform : formEncode; import vibe.stream.wrapper : streamOutputRange; import vibe.internal.rangeutil; long length = 0; auto counter = () @trusted { return RangeCounter(&length); } (); counter.formEncode(key_value_map); headers["Content-Length"] = clengthString(length); headers["Content-Type"] = "application/x-www-form-urlencoded"; auto dst = streamOutputRange!1024(bodyWriter); () @trusted { return &dst; } ().formEncode(key_value_map); } /// unittest { void test(HTTPClientRequest req) { req.writeFormBody(["foo": "bar"]); } } void writePart(MultiPart part) { assert(false, "TODO"); } /** An output stream suitable for writing the request body. The first retrieval will cause the request header to be written, make sure that all headers are set up in advance.s */ @property InterfaceProxy!OutputStream bodyWriter() { if (m_bodyWriter) return m_bodyWriter; assert(!m_headerWritten, "Trying to write request body after body was already written."); if (httpVersion != HTTPVersion.HTTP_1_0 && "Content-Length" !in headers && "Transfer-Encoding" !in headers && headers.get("Connection", "") != "close") { headers["Transfer-Encoding"] = "chunked"; } writeHeader(); m_bodyWriter = m_conn; if (headers.get("Transfer-Encoding", null) == "chunked") { m_chunkedStream = createChunkedOutputStreamFL(m_bodyWriter); m_bodyWriter = m_chunkedStream; } return m_bodyWriter; } private void writeHeader() { import vibe.stream.wrapper; assert(!m_headerWritten, "HTTPClient tried to write headers twice."); m_headerWritten = true; auto output = streamOutputRange!1024(m_conn); formattedWrite(() @trusted { return &output; } (), "%s %s %s\r\n", httpMethodString(method), requestURL, getHTTPVersionString(httpVersion)); logTrace("--------------------"); logTrace("HTTP client request:"); logTrace("--------------------"); logTrace("%s", this); foreach (k, v; headers.byKeyValue) { () @trusted { formattedWrite(&output, "%s: %s\r\n", k, v); } (); logTrace("%s: %s", k, v); } output.put("\r\n"); logTrace("--------------------"); } private void finalize() { // test if already finalized if (m_headerWritten && !m_bodyWriter) return; // force the request to be sent if (!m_headerWritten) writeHeader(); else { bodyWriter.flush(); if (m_chunkedStream) { m_bodyWriter.finalize(); m_conn.flush(); } m_bodyWriter = typeof(m_bodyWriter).init; m_conn = typeof(m_conn).init; } } private string clengthString(ulong len) { m_contentLengthBuffer.clear(); () @trusted { formattedWrite(&m_contentLengthBuffer, "%s", len); } (); return () @trusted { return m_contentLengthBuffer.data; } (); } } /** Represents a HTTP client response (as received from the server). */ final class HTTPClientResponse : HTTPResponse { @safe: private { HTTPClient m_client; LockedConnection!HTTPClient lockedConnection; FreeListRef!LimitedInputStream m_limitedInputStream; FreeListRef!ChunkedInputStream m_chunkedInputStream; FreeListRef!ZlibInputStream m_zlibInputStream; FreeListRef!EndCallbackInputStream m_endCallback; InterfaceProxy!InputStream m_bodyReader; bool m_closeConn; int m_maxRequests; } /// Contains the keep-alive 'max' parameter, indicates how many requests a client can /// make before the server closes the connection. @property int maxRequests() const { return m_maxRequests; } /// All cookies that shall be set on the client for this request override @property ref DictionaryList!Cookie cookies() { if ("Set-Cookie" in this.headers && m_cookies.length == 0) { foreach (cookieString; this.headers.getAll("Set-Cookie")) { auto cookie = parseHTTPCookie(cookieString); if (cookie[0].length) m_cookies[cookie[0]] = cookie[1]; } } return m_cookies; } /// private this(HTTPClient client, bool has_body, bool close_conn, IAllocator alloc, SysTime connected_time = Clock.currTime(UTC())) { m_client = client; m_closeConn = close_conn; scope(failure) finalize(true); // read and parse status line ("HTTP/#.# #[ $]\r\n") logTrace("HTTP client reading status line"); string stln = () @trusted { return cast(string)client.m_stream.readLine(HTTPClient.maxHeaderLineLength, "\r\n", alloc); } (); logTrace("stln: %s", stln); this.httpVersion = parseHTTPVersion(stln); enforce(stln.startsWith(" ")); stln = stln[1 .. $]; this.statusCode = parse!int(stln); if( stln.length > 0 ){ enforce(stln.startsWith(" ")); stln = stln[1 .. $]; this.statusPhrase = stln; } // read headers until an empty line is hit parseRFC5322Header(client.m_stream, this.headers, HTTPClient.maxHeaderLineLength, alloc, false); logTrace("---------------------"); logTrace("HTTP client response:"); logTrace("---------------------"); logTrace("%s", this); foreach (k, v; this.headers.byKeyValue) logTrace("%s: %s", k, v); logTrace("---------------------"); Duration server_timeout; bool has_server_timeout; if (auto pka = "Keep-Alive" in this.headers) { foreach(s; splitter(*pka, ',')){ auto pair = s.splitter('='); auto name = pair.front.strip(); pair.popFront(); if (icmp(name, "timeout") == 0) { has_server_timeout = true; server_timeout = pair.front.to!int().seconds; } else if (icmp(name, "max") == 0) { m_maxRequests = pair.front.to!int(); } } } Duration elapsed = Clock.currTime(UTC()) - connected_time; if (this.headers.get("Connection") == "close") { // this header will trigger m_client.disconnect() in m_client.doRequest() when it goes out of scope } else if (has_server_timeout && m_client.m_keepAliveTimeout > server_timeout) { m_client.m_keepAliveLimit = Clock.currTime(UTC()) + server_timeout - elapsed; } else if (this.httpVersion == HTTPVersion.HTTP_1_1) { m_client.m_keepAliveLimit = Clock.currTime(UTC()) + m_client.m_keepAliveTimeout; } if (!has_body) finalize(); } ~this() { debug if (m_client) { import std.stdio; writefln("WARNING: HTTPClientResponse not fully processed before being finalized"); } } /** An input stream suitable for reading the response body. */ @property InterfaceProxy!InputStream bodyReader() { if( m_bodyReader ) return m_bodyReader; assert (m_client, "Response was already read or no response body, may not use bodyReader."); // prepare body the reader if (auto pte = "Transfer-Encoding" in this.headers) { enforce(*pte == "chunked"); m_chunkedInputStream = createChunkedInputStreamFL(m_client.m_stream); m_bodyReader = this.m_chunkedInputStream; } else if (auto pcl = "Content-Length" in this.headers) { m_limitedInputStream = createLimitedInputStreamFL(m_client.m_stream, to!ulong(*pcl)); m_bodyReader = m_limitedInputStream; } else if (isKeepAliveResponse) { m_limitedInputStream = createLimitedInputStreamFL(m_client.m_stream, 0); m_bodyReader = m_limitedInputStream; } else { m_bodyReader = m_client.m_stream; } if( auto pce = "Content-Encoding" in this.headers ){ if( *pce == "deflate" ){ m_zlibInputStream = createDeflateInputStreamFL(m_bodyReader); m_bodyReader = m_zlibInputStream; } else if( *pce == "gzip" || *pce == "x-gzip"){ m_zlibInputStream = createGzipInputStreamFL(m_bodyReader); m_bodyReader = m_zlibInputStream; } else enforce(*pce == "identity" || *pce == "", "Unsuported content encoding: "~*pce); } // be sure to free resouces as soon as the response has been read m_endCallback = createEndCallbackInputStreamFL(m_bodyReader, &this.finalize); m_bodyReader = m_endCallback; return m_bodyReader; } /** Provides unsafe means to read raw data from the connection. No transfer decoding and no content decoding is done on the data. Not that the provided delegate must read the whole stream, as the state of the response is unknown after raw bytes have been taken. Failure to read the right amount of data will lead to protocol corruption in later requests. */ void readRawBody(scope void delegate(scope InterfaceProxy!InputStream stream) @safe del) { assert(!m_bodyReader, "May not mix use of readRawBody and bodyReader."); del(interfaceProxy!InputStream(m_client.m_stream)); finalize(); } /// ditto static if (!is(InputStream == InterfaceProxy!InputStream)) void readRawBody(scope void delegate(scope InputStream stream) @safe del) { import vibe.internal.interfaceproxy : asInterface; assert(!m_bodyReader, "May not mix use of readRawBody and bodyReader."); del(m_client.m_stream.asInterface!(.InputStream)); finalize(); } /** Reads the whole response body and tries to parse it as JSON. */ Json readJson(){ auto bdy = bodyReader.readAllUTF8(); return () @trusted { return parseJson(bdy); } (); } /** Reads and discards the response body. */ void dropBody() { if (m_client) { if( bodyReader.empty ){ finalize(); } else { bodyReader.pipe(nullSink); assert(!lockedConnection.__conn); } } } /** Forcefully terminates the connection regardless of the current state. Note that this will only actually disconnect if the request has not yet been fully processed. If the whole body was already read, the connection is not owned by the current request operation anymore and cannot be accessed. Use a "Connection: close" header instead in this case to let the server close the connection. */ void disconnect() { finalize(true); } /** Switches the connection to a new protocol and returns the resulting ConnectionStream. The caller caller gets ownership of the ConnectionStream and is responsible for closing it. Notice: When using the overload that returns a `ConnectionStream`, the caller must make sure that the stream is not used after the `HTTPClientRequest` has been destroyed. Params: new_protocol = The protocol to which the connection is expected to upgrade. Should match the Upgrade header of the request. If an empty string is passed, the "Upgrade" header will be ignored and should be checked by other means. */ ConnectionStream switchProtocol(string new_protocol) { enforce(statusCode == HTTPStatus.switchingProtocols, "Server did not send a 101 - Switching Protocols response"); string *resNewProto = "Upgrade" in headers; enforce(resNewProto, "Server did not send an Upgrade header"); enforce(!new_protocol.length || !icmp(*resNewProto, new_protocol), "Expected Upgrade: " ~ new_protocol ~", received Upgrade: " ~ *resNewProto); auto stream = createConnectionProxyStream!(typeof(m_client.m_stream), typeof(m_client.m_conn))(m_client.m_stream, m_client.m_conn); m_closeConn = true; // cannot reuse connection for further requests! return stream; } /// ditto void switchProtocol(string new_protocol, scope void delegate(ConnectionStream str) @safe del) { enforce(statusCode == HTTPStatus.switchingProtocols, "Server did not send a 101 - Switching Protocols response"); string *resNewProto = "Upgrade" in headers; enforce(resNewProto, "Server did not send an Upgrade header"); enforce(!new_protocol.length || !icmp(*resNewProto, new_protocol), "Expected Upgrade: " ~ new_protocol ~", received Upgrade: " ~ *resNewProto); auto stream = createConnectionProxyStream(m_client.m_stream, m_client.m_conn); scope (exit) () @trusted { destroy(stream); } (); m_closeConn = true; del(stream); } private @property isKeepAliveResponse() const { string conn; if (this.httpVersion == HTTPVersion.HTTP_1_0) { // Workaround for non-standard-conformant servers - for example see #1780 auto pcl = "Content-Length" in this.headers; if (pcl) conn = this.headers.get("Connection", "close"); else return false; // can't use keepalive when no content length is set } else conn = this.headers.get("Connection", "keep-alive"); return icmp(conn, "close") != 0; } private void finalize() { finalize(m_closeConn); } private void finalize(bool disconnect) { // ignore duplicate and too early calls to finalize // (too early happesn for empty response bodies) if (!m_client) return; auto cli = m_client; m_client = null; cli.m_responding = false; destroy(m_zlibInputStream); destroy(m_chunkedInputStream); destroy(m_limitedInputStream); if (disconnect) cli.disconnect(); destroy(lockedConnection); } } /** Returns clean host string. In case of unix socket it performs urlDecode on host. */ package auto getFilteredHost(URL url) { version(UnixSocket) { import vibe.textfilter.urlencode : urlDecode; if (url.schema == "https+unix" || url.schema == "http+unix") return urlDecode(url.host); else return url.host; } else return url.host; } // This object is a placeholder and should to never be modified. package @property const(HTTPClientSettings) defaultSettings() @trusted { __gshared HTTPClientSettings ret = new HTTPClientSettings; return ret; }
D
module UnrealScript.TribesGame.TrDevice_AssaultRifle; import ScriptClasses; import UnrealScript.Helpers; import UnrealScript.TribesGame.TrDevice_ConstantFire; extern(C++) interface TrDevice_AssaultRifle : TrDevice_ConstantFire { public extern(D): private static __gshared ScriptClass mStaticClass; @property final static ScriptClass StaticClass() { mixin(MGSCC("Class TribesGame.TrDevice_AssaultRifle")); } private static __gshared TrDevice_AssaultRifle mDefaultProperties; @property final static TrDevice_AssaultRifle DefaultProperties() { mixin(MGDPC("TrDevice_AssaultRifle", "TrDevice_AssaultRifle TribesGame.Default__TrDevice_AssaultRifle")); } }
D
/// Contains all commands as public imports. Needed to resolve circular dependencies. module commands.all; import std.algorithm; import std.array; import std.typetuple; import commands; private template Import(string name) { enum Import = q{ public import commands.NAME; import cmds_NAME = commands.NAME; }.replace("NAME", name); } mixin(Import!"savefile"); mixin(Import!"execute"); mixin(Import!"savestate"); mixin(Import!"time"); /// Names of all known commands alias AllCommands = Filter!(IsCommand, __traits(allMembers, cmds_savefile), __traits(allMembers, cmds_execute), __traits(allMembers, cmds_savestate), __traits(allMembers, cmds_time), ); /// Names of commands who are accessible from the command line alias ProgCommands = Filter!(templateNot!IsShellOnly, AllCommands); /// Names of commands who are accessible from the tracer shell. alias ShellCommands = Filter!(templateNot!IsCliOnly, AllCommands); /// Command-line help text enum PROG_USAGE = `Usage: linux-save-state <command> A tool for saving and restoring linux processes. Save states are stored in a savestates.db file in the current directory. Most of the time, you want to use: linux-save-state execute <exe> [arg ...] to start tracing a process and start a shell. Available CLI commands: ` ~ [staticMap!(CommandName, ProgCommands)] .sort() .map!(x => "* " ~ x) .join("\n"); /// Tracer shell help text enum SHELL_USAGE = ` Run "help <command>" to display usage for a specific command. Available commands: ` ~ [staticMap!(CommandName, ShellCommands)] .sort() .map!(x => "* " ~ x) .join("\n");
D
c: Copyright (C) 1998 - 2022, Daniel Stenberg, <daniel@haxx.se>, et al. SPDX-License-Identifier: curl Long: retry Arg: <num> Added: 7.12.3 Help: Retry request if transient problems occur Category: curl Example: --retry 7 $URL See-also: retry-max-time Multi: single --- If a transient error is returned when curl tries to perform a transfer, it will retry this number of times before giving up. Setting the number to 0 makes curl do no retries (which is the default). Transient error means either: a timeout, an FTP 4xx response code or an HTTP 408, 429, 500, 502, 503 or 504 response code. When curl is about to retry a transfer, it will first wait one second and then for all forthcoming retries it will double the waiting time until it reaches 10 minutes which then will be the delay between the rest of the retries. By using --retry-delay you disable this exponential backoff algorithm. See also --retry-max-time to limit the total time allowed for retries. Since curl 7.66.0, curl will comply with the Retry-After: response header if one was present to know when to issue the next retry.
D
#!/usr/bin/env rund //!importPath .. //!debug //!debugSymbols import stdx.longfiles; import std.stdio; void main() { enum p = `..\..\..\temp\012345679\012345679\012345679\012345679` ~ `\012345679\012345679\012345679\012345679\012345679\012345679\012345679\012345679` ~ `\012345679\012345679\012345679\012345679\012345679\012345679\012345679\012345679` ~ `\012345679\012345679\012345679\012345679\012345679\012345679\012345679\012345679` ~ `\012345679\012345679\012345679\012345679\012345679\012345679\012345679\012345679` ~ `\012345679\012345679\012345679\012345679\012345679\012345679\012345679\012345679` ~ `\012345679\012345679\012345679\012345679\012345679\012345679\012345679\012345679` ~ `\012345679\012345679\012345679\012345679\012345679\012345679\012345679\012345679` ~ `\012345679\012345679\012345679\012345679\012345679\012345679\012345679\012345679` ~ `\012345679\012345679\012345679\012345679\012345679\012345679\012345679\012345679` ~ `\012345679\012345679\012345679\012345679\012345679\012345679\012345679\012345679` ~ `\012345679\012345679\012345679\012345679\012345679\012345679\012345679\012345679` ~ `\012345679\012345679\012345679\012345679\012345679\012345679\012345679\012345679` ~ `\012345679\012345679\012345679\012345679\012345679\012345679\012345679\012345679` ~ `\012345679\012345679\012345679\012345679\012345679\012345679\012345679\012345679` ~ `\012345679\012345679\012345679\012345679\012345679\012345679\012345679\012345679` ~ `\012345679\012345679\012345679\012345679\012345679\012345679\012345679\012345679` ~ `\012345679\012345679\012345679\012345679\012345679\012345679\012345679\012345679` ~ `\012345679\012345679\012345679\012345679\012345679\012345679\012345679\012345679` ~ `\012345679\012345679\012345679\012345679\012345679\012345679\012345679\012345679` ~ `\012345679\012345679\012345679\012345679\012345679\012345679\012345679\012345679` ~ `\012345679\012345679\012345679\012345679\012345679\012345679\012345679\012345679` ~ `\012345679\012345679\012345679\012345679\012345679\012345679\012345679\012345679` ~ `\012345679\012345679\012345679\012345679\012345679\012345679\012345679\012345679` ~ `\012345679\012345679\012345679\012345679\012345679\012345679\012345679\012345679` ~ `\012345679\012345679\012345679\012345679\012345679\012345679\012345679\012345679` ~ `\..\..\..\..\.\..\.\..\.\..` ~ `\012345679\012345679\012345679\012345679\012345679\012345679\012345679\012345679` ~ `\012345679\012345679\012345679\012345679\012345679\012345679\012345679\012345679` ~ `\012345679\012345679\012345679\012345679\012345679\012345679\012345679\012345679` ~ `\012345679\012345679\012345679\012345679\012345679\012345679\012345679\012345679` ~ `\012345679\012345679\012345679\012345679\012345679\012345679\012345679\012345679` ~ `\012345679\012345679\012345679\012345679\012345679\012345679\012345679\012345679` ~ `\012345679\012345679\012345679\012345679\012345679\012345679\012345679\012345679` ~ `\012345679\012345679\012345679\012345679\012345679\012345679\012345679\012345679` ~ `\012345679\012345679\012345679\012345679\012345679\012345679\012345679\012345679` ~ `\012345679\012345679\012345679\012345679\012345679\012345679\012345679\012345679`; writefln("p.toLongPath = '%s'", p.toLongPath); writeln("Success"); }
D
// REQUIRED_ARGS: -o- // PERMUTE_ARGS: /* TEST_OUTPUT: --- fail_compilation/spell9644.d(27): Error: undefined identifier b fail_compilation/spell9644.d(28): Error: undefined identifier xx fail_compilation/spell9644.d(29): Error: undefined identifier cb, did you mean variable ab? fail_compilation/spell9644.d(30): Error: undefined identifier bc, did you mean variable abc? fail_compilation/spell9644.d(31): Error: undefined identifier ccc fail_compilation/spell9644.d(33): Error: undefined identifier cor2, did you mean variable cor1? fail_compilation/spell9644.d(34): Error: undefined identifier pua, did you mean variable pub? fail_compilation/spell9644.d(35): Error: undefined identifier priw --- */ import imports.spell9644a; int a; int ab; int abc; int cor1; int main() { cast(void)b; // max distance 0, no match cast(void)xx; // max distance 1, no match cast(void)cb; // max distance 1, match cast(void)bc; // max distance 1, match cast(void)ccc; // max distance 2, match cast(void)cor2; // max distance 1, match "cor1", but not cora from import (bug 13736) cast(void)pua; // max distance 1, match "pub" from import cast(void)priw; // max distance 1, match "priv" from import, but do not report (bug 5839) }
D
module UnrealScript.GFxUI.GFxAction_GetVariable; import ScriptClasses; import UnrealScript.Helpers; import UnrealScript.GFxUI.GFxMoviePlayer; import UnrealScript.Engine.SequenceAction; extern(C++) interface GFxAction_GetVariable : SequenceAction { public extern(D): private static __gshared ScriptClass mStaticClass; @property final static ScriptClass StaticClass() { mixin(MGSCC("Class GFxUI.GFxAction_GetVariable")); } private static __gshared GFxAction_GetVariable mDefaultProperties; @property final static GFxAction_GetVariable DefaultProperties() { mixin(MGDPC("GFxAction_GetVariable", "GFxAction_GetVariable GFxUI.Default__GFxAction_GetVariable")); } static struct Functions { private static __gshared ScriptFunction mIsValidLevelSequenceObject; public @property static final ScriptFunction IsValidLevelSequenceObject() { mixin(MGF("mIsValidLevelSequenceObject", "Function GFxUI.GFxAction_GetVariable.IsValidLevelSequenceObject")); } } @property final auto ref { ScriptString Variable() { mixin(MGPC("ScriptString", 236)); } GFxMoviePlayer Movie() { mixin(MGPC("GFxMoviePlayer", 232)); } } final bool IsValidLevelSequenceObject() { ubyte params[4]; params[] = 0; (cast(ScriptObject)this).ProcessEvent(Functions.IsValidLevelSequenceObject, params.ptr, cast(void*)0); return *cast(bool*)params.ptr; } }
D
INSTANCE Info_Mod_HofstaatHaendler02_Hi (C_INFO) { npc = Mod_7273_HS_Haendler_REL; nr = 1; condition = Info_Mod_HofstaatHaendler02_Hi_Condition; information = Info_Mod_HofstaatHaendler02_Hi_Info; permanent = 0; important = 0; description = "Gehört dieser Laden dir?"; }; FUNC INT Info_Mod_HofstaatHaendler02_Hi_Condition() { if (Npc_KnowsInfo(hero, Info_Mod_HofstaatTuersteher_Hi)) && (Mod_HS_DarfZuKing == 0) { return 1; }; }; FUNC VOID Info_Mod_HofstaatHaendler02_Hi_Info() { AI_Output(hero, self, "Info_Mod_HofstaatHaendler02_Hi_15_00"); //Gehört dieser Laden dir? AI_Output(self, hero, "Info_Mod_HofstaatHaendler02_Hi_01_01"); //Ja. AI_Output(hero, self, "Info_Mod_HofstaatHaendler02_Hi_15_02"); //Gib ihn mir. if (self.aivar[AIV_Verhandlung] == TRUE) { AI_Output(self, hero, "Info_Mod_HofstaatHaendler02_Hi_01_03"); //Okay. Mod_Sekte_TraderHaus02 = 1; Mod_HS_DarfZuKing = 1; B_StartOtherRoutine (Mod_7020_HS_Tuersteher_REL, "DARFREIN"); Mod_7020_HS_Tuersteher_REL.aivar[AIV_Passgate] = TRUE; B_LogEntry (TOPIC_MOD_SEKTE_FREUDENSPENDER, "Ich habe jetzt das Haus eines Händlers. Ich sollte nun am Türsteher vorbei kommen."); } else { AI_Output(self, hero, "Info_Mod_HofstaatHaendler02_Hi_01_04"); //Nein, lieber nicht. }; }; INSTANCE Info_Mod_HofstaatHaendler02_Pickpocket (C_INFO) { npc = Mod_7273_HS_Haendler_REL; nr = 1; condition = Info_Mod_HofstaatHaendler02_Pickpocket_Condition; information = Info_Mod_HofstaatHaendler02_Pickpocket_Info; permanent = 1; important = 0; description = Pickpocket_90; }; FUNC INT Info_Mod_HofstaatHaendler02_Pickpocket_Condition() { C_Beklauen (69, ItMi_Gold, 27); }; FUNC VOID Info_Mod_HofstaatHaendler02_Pickpocket_Info() { Info_ClearChoices (Info_Mod_HofstaatHaendler02_Pickpocket); Info_AddChoice (Info_Mod_HofstaatHaendler02_Pickpocket, DIALOG_BACK, Info_Mod_HofstaatHaendler02_Pickpocket_BACK); Info_AddChoice (Info_Mod_HofstaatHaendler02_Pickpocket, DIALOG_PICKPOCKET, Info_Mod_HofstaatHaendler02_Pickpocket_DoIt); }; FUNC VOID Info_Mod_HofstaatHaendler02_Pickpocket_BACK() { Info_ClearChoices (Info_Mod_HofstaatHaendler02_Pickpocket); }; FUNC VOID Info_Mod_HofstaatHaendler02_Pickpocket_DoIt() { if (B_Beklauen() == TRUE) { Info_ClearChoices (Info_Mod_HofstaatHaendler02_Pickpocket); } else { Info_ClearChoices (Info_Mod_HofstaatHaendler02_Pickpocket); Info_AddChoice (Info_Mod_HofstaatHaendler02_Pickpocket, DIALOG_PP_BESCHIMPFEN, Info_Mod_HofstaatHaendler02_Pickpocket_Beschimpfen); Info_AddChoice (Info_Mod_HofstaatHaendler02_Pickpocket, DIALOG_PP_BESTECHUNG, Info_Mod_HofstaatHaendler02_Pickpocket_Bestechung); Info_AddChoice (Info_Mod_HofstaatHaendler02_Pickpocket, DIALOG_PP_HERAUSREDEN, Info_Mod_HofstaatHaendler02_Pickpocket_Herausreden); }; }; FUNC VOID Info_Mod_HofstaatHaendler02_Pickpocket_Beschimpfen() { B_Say (hero, self, "$PICKPOCKET_BESCHIMPFEN"); B_Say (self, hero, "$DIRTYTHIEF"); Info_ClearChoices (Info_Mod_HofstaatHaendler02_Pickpocket); AI_StopProcessInfos (self); B_Attack (self, hero, AR_Theft, 1); }; FUNC VOID Info_Mod_HofstaatHaendler02_Pickpocket_Bestechung() { B_Say (hero, self, "$PICKPOCKET_BESTECHUNG"); var int rnd; rnd = r_max(99); if (rnd < 25) || ((rnd >= 25) && (rnd < 50) && (Npc_HasItems(hero, ItMi_Gold) < 50)) || ((rnd >= 50) && (rnd < 75) && (Npc_HasItems(hero, ItMi_Gold) < 100)) || ((rnd >= 75) && (rnd < 100) && (Npc_HasItems(hero, ItMi_Gold) < 200)) { B_Say (self, hero, "$DIRTYTHIEF"); Info_ClearChoices (Info_Mod_HofstaatHaendler02_Pickpocket); AI_StopProcessInfos (self); B_Attack (self, hero, AR_Theft, 1); } else { if (rnd >= 75) { B_GiveInvItems (hero, self, ItMi_Gold, 200); } else if (rnd >= 50) { B_GiveInvItems (hero, self, ItMi_Gold, 100); } else if (rnd >= 25) { B_GiveInvItems (hero, self, ItMi_Gold, 50); }; B_Say (self, hero, "$PICKPOCKET_BESTECHUNG_01"); Info_ClearChoices (Info_Mod_HofstaatHaendler02_Pickpocket); AI_StopProcessInfos (self); }; }; FUNC VOID Info_Mod_HofstaatHaendler02_Pickpocket_Herausreden() { B_Say (hero, self, "$PICKPOCKET_HERAUSREDEN"); if (r_max(99) < Mod_Verhandlungsgeschick) { B_Say (self, hero, "$PICKPOCKET_HERAUSREDEN_01"); Info_ClearChoices (Info_Mod_HofstaatHaendler02_Pickpocket); } else { B_Say (self, hero, "$PICKPOCKET_HERAUSREDEN_02"); }; }; INSTANCE Info_Mod_HofstaatHaendler02_EXIT (C_INFO) { npc = Mod_7273_HS_Haendler_REL; nr = 1; condition = Info_Mod_HofstaatHaendler02_EXIT_Condition; information = Info_Mod_HofstaatHaendler02_EXIT_Info; permanent = 1; important = 0; description = DIALOG_ENDE; }; FUNC INT Info_Mod_HofstaatHaendler02_EXIT_Condition() { return 1; }; FUNC VOID Info_Mod_HofstaatHaendler02_EXIT_Info() { AI_StopProcessInfos (self); };
D
/** Utility functions for array processing Copyright: © 2012 RejectedSoftware e.K. License: Subject to the terms of the MIT license, as written in the included LICENSE.txt file. Authors: Sönke Ludwig */ module vibe.internal.array; import vibe.internal.memory; import std.algorithm; import std.range : isInputRange, isOutputRange; import std.traits; static import std.utf; void removeFromArray(T)(ref T[] array, T item) { foreach( i; 0 .. array.length ) if( array[i] is item ){ removeFromArrayIdx(array, i); return; } } void removeFromArrayIdx(T)(ref T[] array, size_t idx) { foreach( j; idx+1 .. array.length) array[j-1] = array[j]; array.length = array.length-1; } enum AppenderResetMode { keepData, freeData, reuseData } struct AllocAppender(ArrayType : E[], E) { alias ElemType = Unqual!E; static assert(!hasIndirections!E && !hasElaborateDestructor!E); private { ElemType[] m_data; ElemType[] m_remaining; Allocator m_alloc; bool m_allocatedBuffer = false; } this(Allocator alloc, ElemType[] initial_buffer = null) { m_alloc = alloc; m_data = initial_buffer; m_remaining = initial_buffer; } @disable this(this); @property ArrayType data() { return cast(ArrayType)m_data[0 .. m_data.length - m_remaining.length]; } void reset(AppenderResetMode reset_mode = AppenderResetMode.keepData) { if (reset_mode == AppenderResetMode.keepData) m_data = null; else if (reset_mode == AppenderResetMode.freeData) { if (m_allocatedBuffer) m_alloc.free(m_data); m_data = null; } m_remaining = m_data; } /** Grows the capacity of the internal buffer so that it can hold a minumum amount of elements. Params: amount = The minimum amount of elements that shall be appendable without triggering a re-allocation. */ void reserve(size_t amount) { size_t nelems = m_data.length - m_remaining.length; if (!m_data.length) { m_data = cast(ElemType[])m_alloc.alloc(amount*E.sizeof); m_remaining = m_data; m_allocatedBuffer = true; } if (m_remaining.length < amount) { debug { import std.digest.crc; auto checksum = crc32Of(m_data[0 .. nelems]); } if (m_allocatedBuffer) m_data = cast(ElemType[])m_alloc.realloc(m_data, (nelems+amount)*E.sizeof); else { auto newdata = cast(ElemType[])m_alloc.alloc((nelems+amount)*E.sizeof); newdata[0 .. nelems] = m_data[0 .. nelems]; m_data = newdata; m_allocatedBuffer = true; } debug assert(crc32Of(m_data[0 .. nelems]) == checksum); } m_remaining = m_data[nelems .. m_data.length]; } void put(E el) { if( m_remaining.length == 0 ) grow(1); m_remaining[0] = el; m_remaining = m_remaining[1 .. $]; } void put(ArrayType arr) { if (m_remaining.length < arr.length) grow(arr.length); m_remaining[0 .. arr.length] = arr[]; m_remaining = m_remaining[arr.length .. $]; } static if( !hasAliasing!E ){ void put(in ElemType[] arr){ put(cast(ArrayType)arr); } } static if( is(ElemType == char) ){ void put(dchar el) { if( el < 128 ) put(cast(char)el); else { char[4] buf; auto len = std.utf.encode(buf, el); put(cast(ArrayType)buf[0 .. len]); } } } static if( is(ElemType == wchar) ){ void put(dchar el) { if( el < 128 ) put(cast(wchar)el); else { wchar[3] buf; auto len = std.utf.encode(buf, el); put(cast(ArrayType)buf[0 .. len]); } } } static if (!is(E == immutable) || !hasAliasing!E) { /** Appends a number of bytes in-place. The delegate will get the memory slice of the memory that follows the already written data. Use `reserve` to ensure that this slice has enough room. The delegate should overwrite as much of the slice as desired and then has to return the number of elements that should be appended (counting from the start of the slice). */ void append(scope size_t delegate(scope ElemType[] dst) del) { auto n = del(m_remaining); assert(n <= m_remaining.length); m_remaining = m_remaining[n .. $]; } } void grow(size_t min_free) { if( !m_data.length && min_free < 16 ) min_free = 16; auto min_size = m_data.length + min_free - m_remaining.length; auto new_size = max(m_data.length, 16); while( new_size < min_size ) new_size = (new_size * 3) / 2; reserve(new_size - m_data.length + m_remaining.length); } } unittest { auto a = AllocAppender!string(defaultAllocator()); a.put("Hello"); a.put(' '); a.put("World"); assert(a.data == "Hello World"); a.reset(); assert(a.data == ""); } unittest { char[4] buf; auto a = AllocAppender!string(defaultAllocator(), buf); a.put("He"); assert(a.data == "He"); assert(a.data.ptr == buf.ptr); a.put("ll"); assert(a.data == "Hell"); assert(a.data.ptr == buf.ptr); a.put('o'); assert(a.data == "Hello"); assert(a.data.ptr != buf.ptr); } unittest { char[4] buf; auto a = AllocAppender!string(defaultAllocator(), buf); a.put("Hello"); assert(a.data == "Hello"); assert(a.data.ptr != buf.ptr); } unittest { auto app = AllocAppender!(int[])(defaultAllocator); app.reserve(2); app.append((scope mem) { assert(mem.length >= 2); mem[0] = 1; mem[1] = 2; return 2; }); assert(app.data == [1, 2]); } unittest { auto app = AllocAppender!string(defaultAllocator); app.reserve(3); app.append((scope mem) { assert(mem.length >= 3); mem[0] = 'f'; mem[1] = 'o'; mem[2] = 'o'; return 3; }); assert(app.data == "foo"); } struct FixedAppender(ArrayType : E[], size_t NELEM, E) { alias ElemType = Unqual!E; private { ElemType[NELEM] m_data; size_t m_fill; } void clear() { m_fill = 0; } void put(E el) { m_data[m_fill++] = el; } static if( is(ElemType == char) ){ void put(dchar el) { if( el < 128 ) put(cast(char)el); else { char[4] buf; auto len = std.utf.encode(buf, el); put(cast(ArrayType)buf[0 .. len]); } } } static if( is(ElemType == wchar) ){ void put(dchar el) { if( el < 128 ) put(cast(wchar)el); else { wchar[3] buf; auto len = std.utf.encode(buf, el); put(cast(ArrayType)buf[0 .. len]); } } } void put(ArrayType arr) { m_data[m_fill .. m_fill+arr.length] = (cast(ElemType[])arr)[]; m_fill += arr.length; } @property ArrayType data() { return cast(ArrayType)m_data[0 .. m_fill]; } static if (!is(E == immutable)) { void reset() { m_fill = 0; } } } /** TODO: clear ring buffer fields upon removal (to run struct destructors, if T is a struct) */ struct FixedRingBuffer(T, size_t N = 0, bool INITIALIZE = true) { private { static if( N > 0 ) { static if (INITIALIZE) T[N] m_buffer; else T[N] m_buffer = void; } else T[] m_buffer; size_t m_start = 0; size_t m_fill = 0; } static if( N == 0 ){ bool m_freeOnDestruct; this(size_t capacity) { m_buffer = new T[capacity]; } ~this() { if (m_freeOnDestruct && m_buffer.length > 0) delete m_buffer; } } @property bool empty() const { return m_fill == 0; } @property bool full() const { return m_fill == m_buffer.length; } @property size_t length() const { return m_fill; } @property size_t freeSpace() const { return m_buffer.length - m_fill; } @property size_t capacity() const { return m_buffer.length; } static if( N == 0 ){ deprecated @property void freeOnDestruct(bool b) { m_freeOnDestruct = b; } /// Resets the capacity to zero and explicitly frees the memory for the buffer. void dispose() { delete m_buffer; m_buffer = null; m_start = m_fill = 0; } @property void capacity(size_t new_size) { if( m_buffer.length ){ auto newbuffer = new T[new_size]; auto dst = newbuffer; auto newfill = min(m_fill, new_size); read(dst[0 .. newfill]); if (m_freeOnDestruct && m_buffer.length > 0) delete m_buffer; m_buffer = newbuffer; m_start = 0; m_fill = newfill; } else { if (m_freeOnDestruct && m_buffer.length > 0) delete m_buffer; m_buffer = new T[new_size]; } } } @property ref inout(T) front() inout { assert(!empty); return m_buffer[m_start]; } @property ref inout(T) back() inout { assert(!empty); return m_buffer[mod(m_start+m_fill-1)]; } void clear() { popFrontN(length); assert(m_fill == 0); m_start = 0; } void put()(T itm) { assert(m_fill < m_buffer.length); m_buffer[mod(m_start + m_fill++)] = itm; } void put(TC : T)(TC[] itms) { if( !itms.length ) return; assert(m_fill+itms.length <= m_buffer.length); if( mod(m_start+m_fill) >= mod(m_start+m_fill+itms.length) ){ size_t chunk1 = m_buffer.length - (m_start+m_fill); size_t chunk2 = itms.length - chunk1; m_buffer[m_start+m_fill .. m_buffer.length] = itms[0 .. chunk1]; m_buffer[0 .. chunk2] = itms[chunk1 .. $]; } else { m_buffer[mod(m_start+m_fill) .. mod(m_start+m_fill)+itms.length] = itms[]; } m_fill += itms.length; } void putN(size_t n) { assert(m_fill+n <= m_buffer.length); m_fill += n; } void popFront() { assert(!empty); m_start = mod(m_start+1); m_fill--; } void popFrontN(size_t n) { assert(length >= n); m_start = mod(m_start + n); m_fill -= n; } void popBack() { assert(!empty); m_fill--; } void popBackN(size_t n) { assert(length >= n); m_fill -= n; } void removeAt(Range r) { assert(r.m_buffer is m_buffer); if( m_start + m_fill > m_buffer.length ){ assert(r.m_start >= m_start && r.m_start < m_buffer.length || r.m_start < mod(m_start+m_fill)); if( r.m_start > m_start ){ foreach(i; r.m_start .. m_buffer.length-1) m_buffer[i] = m_buffer[i+1]; m_buffer[$-1] = m_buffer[0]; foreach(i; 0 .. mod(m_start + m_fill - 1)) m_buffer[i] = m_buffer[i+1]; } else { foreach(i; r.m_start .. mod(m_start + m_fill - 1)) m_buffer[i] = m_buffer[i+1]; } } else { assert(r.m_start >= m_start && r.m_start < m_start+m_fill); foreach(i; r.m_start .. m_start+m_fill-1) m_buffer[i] = m_buffer[i+1]; } m_fill--; destroy(m_buffer[mod(m_start+m_fill)]); // TODO: only call destroy for non-POD T } inout(T)[] peek() inout { return m_buffer[m_start .. min(m_start+m_fill, m_buffer.length)]; } T[] peekDst() { if (!m_buffer.length) return null; if( m_start + m_fill < m_buffer.length ) return m_buffer[m_start+m_fill .. $]; else return m_buffer[mod(m_start+m_fill) .. m_start]; } void read(T[] dst) { assert(dst.length <= length); if( !dst.length ) return; if( mod(m_start) >= mod(m_start+dst.length) ){ size_t chunk1 = m_buffer.length - m_start; size_t chunk2 = dst.length - chunk1; dst[0 .. chunk1] = m_buffer[m_start .. $]; dst[chunk1 .. $] = m_buffer[0 .. chunk2]; } else { dst[] = m_buffer[m_start .. m_start+dst.length]; } popFrontN(dst.length); } int opApply(scope int delegate(ref T itm) del) { if( m_start+m_fill > m_buffer.length ){ foreach(i; m_start .. m_buffer.length) if( auto ret = del(m_buffer[i]) ) return ret; foreach(i; 0 .. mod(m_start+m_fill)) if( auto ret = del(m_buffer[i]) ) return ret; } else { foreach(i; m_start .. m_start+m_fill) if( auto ret = del(m_buffer[i]) ) return ret; } return 0; } /// iterate through elements with index int opApply(scope int delegate(size_t i, ref T itm) del) { if( m_start+m_fill > m_buffer.length ){ foreach(i; m_start .. m_buffer.length) if( auto ret = del(i - m_start, m_buffer[i]) ) return ret; foreach(i; 0 .. mod(m_start+m_fill)) if( auto ret = del(i + m_buffer.length - m_start, m_buffer[i]) ) return ret; } else { foreach(i; m_start .. m_start+m_fill) if( auto ret = del(i - m_start, m_buffer[i]) ) return ret; } return 0; } ref inout(T) opIndex(size_t idx) inout { assert(idx < length); return m_buffer[mod(m_start+idx)]; } Range opSlice() { return Range(m_buffer, m_start, m_fill); } Range opSlice(size_t from, size_t to) { assert(from <= to); assert(to <= m_fill); return Range(m_buffer, mod(m_start+from), to-from); } size_t opDollar(size_t dim)() const if(dim == 0) { return length; } private size_t mod(size_t n) const { static if( N == 0 ){ /*static if(PotOnly){ return x & (m_buffer.length-1); } else {*/ return n % m_buffer.length; //} } else static if( ((N - 1) & N) == 0 ){ return n & (N - 1); } else return n % N; } static struct Range { private { T[] m_buffer; size_t m_start; size_t m_length; } private this(T[] buffer, size_t start, size_t length) { m_buffer = buffer; m_start = start; m_length = length; } @property bool empty() const { return m_length == 0; } @property inout(T) front() inout { assert(!empty); return m_buffer[m_start]; } void popFront() { assert(!empty); m_start++; m_length--; if( m_start >= m_buffer.length ) m_start = 0; } } } unittest { static assert(isInputRange!(FixedRingBuffer!int) && isOutputRange!(FixedRingBuffer!int, int)); FixedRingBuffer!(int, 5) buf; assert(buf.length == 0 && buf.freeSpace == 5); buf.put(1); // |1 . . . . assert(buf.length == 1 && buf.freeSpace == 4); buf.put(2); // |1 2 . . . assert(buf.length == 2 && buf.freeSpace == 3); buf.put(3); // |1 2 3 . . assert(buf.length == 3 && buf.freeSpace == 2); buf.put(4); // |1 2 3 4 . assert(buf.length == 4 && buf.freeSpace == 1); buf.put(5); // |1 2 3 4 5 assert(buf.length == 5 && buf.freeSpace == 0); assert(buf.front == 1); buf.popFront(); // .|2 3 4 5 assert(buf.front == 2); buf.popFrontN(2); // . . .|4 5 assert(buf.front == 4); assert(buf.length == 2 && buf.freeSpace == 3); buf.put([6, 7, 8]); // 6 7 8|4 5 assert(buf.length == 5 && buf.freeSpace == 0); int[5] dst; buf.read(dst); // . . .|. . assert(dst == [4, 5, 6, 7, 8]); assert(buf.length == 0 && buf.freeSpace == 5); buf.put([1, 2]); // . . .|1 2 assert(buf.length == 2 && buf.freeSpace == 3); buf.read(dst[0 .. 2]); //|. . . . . assert(dst[0 .. 2] == [1, 2]); buf.put([0, 0, 0, 1, 2]); //|0 0 0 1 2 buf.popFrontN(2); //. .|0 1 2 buf.put([3, 4]); // 3 4|0 1 2 foreach(i, item; buf) { assert(i == item); } } /// Write a single batch and drain struct BatchBuffer(T, size_t N = 0) { private { size_t m_fill; size_t m_first; static if (N == 0) T[] m_buffer; else T[N] m_buffer; } static if (N == 0) { @property void capacity(size_t n) { assert(n >= m_fill); m_buffer.length = n; } } @property bool empty() const { return m_first >= m_fill; } @property size_t capacity() const { return m_buffer.length; } @property size_t length() const { return m_fill - m_first; } @property ref inout(T) front() inout { assert(!empty); return m_buffer[m_first]; } void popFront() { assert(!empty); m_first++; } void popFrontN(size_t n) { assert(n <= length); m_first += n; } inout(T)[] peek() inout { return m_buffer[m_first .. m_fill]; } T[] peekDst() { assert(empty); return m_buffer; } void putN(size_t n) { assert(empty && n <= m_buffer.length); m_fill = n; } void putN(T[] elems) { assert(empty && elems.length <= m_buffer.length); m_buffer[0 .. elems.length] = elems[]; m_fill = elems.length; } void read(T[] dst) { assert(length() >= dst.length); dst[] = m_buffer[m_first .. m_first + dst.length]; m_first += dst.length; assert(m_first <= m_fill); if (m_first == m_fill) m_first = m_fill = 0; } } struct ArraySet(Key) { private { Key[4] m_staticEntries; Key[] m_entries; } @property ArraySet dup() { return ArraySet(m_staticEntries, m_entries.dup); } bool opBinaryRight(string op)(Key key) if (op == "in") { return contains(key); } int opApply(int delegate(ref Key) del) { foreach (ref k; m_staticEntries) if (k != Key.init) if (auto ret = del(k)) return ret; foreach (ref k; m_entries) if (k != Key.init) if (auto ret = del(k)) return ret; return 0; } bool contains(Key key) const { foreach (ref k; m_staticEntries) if (k == key) return true; foreach (ref k; m_entries) if (k == key) return true; return false; } void insert(Key key) { if (contains(key)) return; foreach (ref k; m_staticEntries) if (k == Key.init) { k = key; return; } foreach (ref k; m_entries) if (k == Key.init) { k = key; return; } m_entries ~= key; } void remove(Key key) { foreach (ref k; m_staticEntries) if (k == key) { k = Key.init; return; } foreach (ref k; m_entries) if (k == key) { k = Key.init; return; } } }
D
module intents.current; import openwebif.api; import ask.ask; import texts; import openwebifbaseintent; /// final class IntentCurrent : OpenWebifBaseIntent { /// this(OpenWebifApi api) { super(api); } /// override AlexaResult onIntent(AlexaEvent, AlexaContext) { import std.format : format; import std.string : replace; if (apiClient.powerstate().instandby) return inStandby(); CurrentService currentService; try currentService = apiClient.getcurrent(); catch (Exception e) return returnError(e); AlexaResult result; result.response.card.title = getText(TextId.CurrentCardTitle); result.response.outputSpeech.type = AlexaOutputSpeech.Type.SSML; if (currentService.next.title.length > 0) { result.response.outputSpeech.ssml = format(getText(TextId.CurrentNextSSML), currentService.info._name, currentService.now.title, currentService.next.title); } else { result.response.outputSpeech.ssml = format(getText(TextId.CurrentSSML), currentService.info._name, currentService.now.title); } result.response.outputSpeech.ssml = replaceSpecialChars(result.response.outputSpeech.ssml); result.response.card.content = removeTags(result.response.outputSpeech.ssml); return result; } }
D
import std.stdio; //mixin (compile_time_generated_string) string print(string s) { return `writeln("` ~ s ~ `");`; } void testmixin(){ mixin(`writeln("Hello World!");`); mixin(print("hi")); } template Department(T, size_t count) { T[count] names; void setName(size_t index, T name) { names[index] = name; } void printNames() { writeln("The names"); foreach (i, name; names) { writeln(i," : ", name); } } } //mixin a_template!(template_parameters) struct College { mixin Department!(string, 2); } void testCollege(){ College c = College(); c.setName(0, "name1"); c.setName(1, "name2"); c.printNames(); } template Person() { string name; void print() { writeln(name); } } void testTemp() { string name; mixin Person a; name = "name 1"; writeln(name); a.name = "name 2"; print(); } void main() { testTemp(); }
D
// Written in the D programming language. /** * Builtin mathematical intrinsics * * Source: $(DRUNTIMESRC core/_math.d) * Macros: * TABLE_SV = <table border="1" cellpadding="4" cellspacing="0"> * <caption>Special Values</caption> * $0</table> * * NAN = $(RED NAN) * SUP = <span style="vertical-align:super;font-size:smaller">$0</span> * POWER = $1<sup>$2</sup> * PLUSMN = &plusmn; * INFIN = &infin; * PLUSMNINF = &plusmn;&infin; * LT = &lt; * GT = &gt; * * Copyright: Copyright Digital Mars 2000 - 2011. * License: $(HTTP www.boost.org/LICENSE_1_0.txt, Boost License 1.0). * Authors: $(HTTP digitalmars.com, Walter Bright), * Don Clugston */ module core.math; version (LDC) { import stdc = core.stdc.math; import ldc.intrinsics; } public: @nogc: /*********************************** * Returns cosine of x. x is in radians. * * $(TABLE_SV * $(TR $(TH x) $(TH cos(x)) $(TH invalid?)) * $(TR $(TD $(NAN)) $(TD $(NAN)) $(TD yes) ) * $(TR $(TD $(PLUSMN)$(INFIN)) $(TD $(NAN)) $(TD yes) ) * ) * Bugs: * Results are undefined if |x| >= $(POWER 2,64). */ version (LDC) alias cos = llvm_cos!real; else real cos(real x) @safe pure nothrow; /* intrinsic */ /*********************************** * Returns sine of x. x is in radians. * * $(TABLE_SV * $(TR $(TH x) $(TH sin(x)) $(TH invalid?)) * $(TR $(TD $(NAN)) $(TD $(NAN)) $(TD yes)) * $(TR $(TD $(PLUSMN)0.0) $(TD $(PLUSMN)0.0) $(TD no)) * $(TR $(TD $(PLUSMNINF)) $(TD $(NAN)) $(TD yes)) * ) * Bugs: * Results are undefined if |x| >= $(POWER 2,64). */ version (LDC) alias sin = llvm_sin!real; else real sin(real x) @safe pure nothrow; /* intrinsic */ /***************************************** * Returns x rounded to a long value using the current rounding mode. * If the integer value of x is * greater than long.max, the result is * indeterminate. */ version (LDC) alias rndtol = stdc.llroundl; else long rndtol(real x) @safe pure nothrow; /* intrinsic */ /***************************************** * Returns x rounded to a long value using the FE_TONEAREST rounding mode. * If the integer value of x is * greater than long.max, the result is * indeterminate. */ extern (C) real rndtonl(real x); /*************************************** * Compute square root of x. * * $(TABLE_SV * $(TR $(TH x) $(TH sqrt(x)) $(TH invalid?)) * $(TR $(TD -0.0) $(TD -0.0) $(TD no)) * $(TR $(TD $(LT)0.0) $(TD $(NAN)) $(TD yes)) * $(TR $(TD +$(INFIN)) $(TD +$(INFIN)) $(TD no)) * ) */ @safe pure nothrow { version (LDC) { // http://llvm.org/docs/LangRef.html#llvm-sqrt-intrinsic // sqrt(x) when x is less than zero is undefined float sqrt(float x) { return x < 0 ? float.nan : llvm_sqrt(x); } double sqrt(double x) { return x < 0 ? double.nan : llvm_sqrt(x); } real sqrt(real x) { return x < 0 ? real.nan : llvm_sqrt(x); } } else { float sqrt(float x); /* intrinsic */ double sqrt(double x); /* intrinsic */ /// ditto real sqrt(real x); /* intrinsic */ /// ditto } } /******************************************* * Compute n * 2$(SUPERSCRIPT exp) * References: frexp */ version (LDC) { version (MinGW) { real ldexp(real n, int exp) @safe pure nothrow { // The MinGW runtime only provides a double precision ldexp, and // it doesn't seem to reliably possible to express the fscale // semantics (two FP stack inputs/returns) in an inline asm // expression clobber list. version (D_InlineAsm_X86_64) { asm @trusted pure nothrow { naked; push RCX; // push exp (8 bytes), passed in ECX fild int ptr [RSP]; // push exp onto FPU stack pop RCX; // return stack to initial state fld real ptr [RDX]; // push n onto FPU stack, passed in [RDX] fscale; // ST(0) = ST(0) * 2^ST(1) fstp ST(1); // pop stack maintaining top value => function return value ret; // no arguments passed via stack } } else { asm @trusted pure nothrow { naked; push EAX; fild int ptr [ESP]; fld real ptr [ESP+8]; fscale; fstp ST(1); pop EAX; ret 12; } } } } else // !MinGW { alias ldexp = stdc.ldexpl; } } else real ldexp(real n, int exp) @safe pure nothrow; /* intrinsic */ unittest { static if (real.mant_dig == 113) { assert(ldexp(1, -16384) == 0x1p-16384L); assert(ldexp(1, -16382) == 0x1p-16382L); } else static if (real.mant_dig == 106) { assert(ldexp(1, 1023) == 0x1p1023L); assert(ldexp(1, -1022) == 0x1p-1022L); assert(ldexp(1, -1021) == 0x1p-1021L); } else static if (real.mant_dig == 64) { assert(ldexp(1, -16384) == 0x1p-16384L); assert(ldexp(1, -16382) == 0x1p-16382L); } else static if (real.mant_dig == 53) { assert(ldexp(1, 1023) == 0x1p1023L); assert(ldexp(1, -1022) == 0x1p-1022L); assert(ldexp(1, -1021) == 0x1p-1021L); } else assert(false, "Only 128bit, 80bit and 64bit reals expected here"); } /******************************* * Returns |x| * * $(TABLE_SV * $(TR $(TH x) $(TH fabs(x))) * $(TR $(TD $(PLUSMN)0.0) $(TD +0.0) ) * $(TR $(TD $(PLUSMN)$(INFIN)) $(TD +$(INFIN)) ) * ) */ version (LDC) alias fabs = llvm_fabs!real; else real fabs(real x) @safe pure nothrow; /* intrinsic */ /********************************** * Rounds x to the nearest integer value, using the current rounding * mode. * If the return value is not equal to x, the FE_INEXACT * exception is raised. * $(B nearbyint) performs * the same operation, but does not set the FE_INEXACT exception. */ version (LDC) alias rint = llvm_rint!real; else real rint(real x) @safe pure nothrow; /* intrinsic */ /*********************************** * Building block functions, they * translate to a single x87 instruction. */ version (LDC) { version (X86) version = X86_Any; version (X86_64) version = X86_Any; version (X86_Any) { static if (real.mant_dig == 64) { // y * log2(x) real yl2x(real x, real y) @safe pure nothrow { real r; asm @safe pure nothrow @nogc { "fyl2x" : "=st" (r) : "st" (x), "st(1)" (y) : "st(1)"; } return r; } // y * log2(x + 1) real yl2xp1(real x, real y) @safe pure nothrow { real r; asm @safe pure nothrow @nogc { "fyl2xp1" : "=st" (r) : "st" (x), "st(1)" (y) : "st(1)"; } return r; } } } } else { real yl2x(real x, real y) @safe pure nothrow; // y * log2(x) real yl2xp1(real x, real y) @safe pure nothrow; // y * log2(x + 1) } unittest { version (INLINE_YL2X) { assert(yl2x(1024, 1) == 10); assert(yl2xp1(1023, 1) == 10); } } /************************************* * Round argument to a specific precision. * * D language types specify a minimum precision, not a maximum. The * `toPrec()` function forces rounding of the argument `f` to the * precision of the specified floating point type `T`. * * Params: * T = precision type to round to * f = value to convert * Returns: * f in precision of type `T` */ @safe pure nothrow T toPrec(T:float)(float f) { pragma(inline, false); return f; } /// ditto @safe pure nothrow T toPrec(T:float)(double f) { pragma(inline, false); return cast(T) f; } /// ditto @safe pure nothrow T toPrec(T:float)(real f) { pragma(inline, false); return cast(T) f; } /// ditto @safe pure nothrow T toPrec(T:double)(float f) { pragma(inline, false); return f; } /// ditto @safe pure nothrow T toPrec(T:double)(double f) { pragma(inline, false); return f; } /// ditto @safe pure nothrow T toPrec(T:double)(real f) { pragma(inline, false); return cast(T) f; } /// ditto @safe pure nothrow T toPrec(T:real)(float f) { pragma(inline, false); return f; } /// ditto @safe pure nothrow T toPrec(T:real)(double f) { pragma(inline, false); return f; } /// ditto @safe pure nothrow T toPrec(T:real)(real f) { pragma(inline, false); return f; } @safe unittest { static float f = 1.1f; static double d = 1.1; static real r = 1.1L; f = toPrec!float(f + f); f = toPrec!float(d + d); f = toPrec!float(r + r); d = toPrec!double(f + f); d = toPrec!double(d + d); d = toPrec!double(r + r); r = toPrec!real(f + f); r = toPrec!real(d + d); r = toPrec!real(r + r); enum real PIR = 0xc.90fdaa22168c235p-2; enum double PID = 0x1.921fb54442d18p+1; enum float PIF = 0x1.921fb6p+1; assert(toPrec!float(PIR) == PIF); assert(toPrec!double(PIR) == PID); assert(toPrec!real(PIR) == PIR); assert(toPrec!float(PID) == PIF); assert(toPrec!double(PID) == PID); assert(toPrec!real(PID) == PID); assert(toPrec!float(PIF) == PIF); assert(toPrec!double(PIF) == PIF); assert(toPrec!real(PIF) == PIF); }
D
/* ---------------------------------------------------------------------------- * This file was automatically generated by SWIG (http://www.swig.org). * Version 3.0.0 * * Do not make changes to this file unless you know what you are doing--modify * the SWIG interface file instead. * ----------------------------------------------------------------------------- */ module vtkDecimatePolylineFilter; static import vtkd_im; static import core.stdc.config; static import std.conv; static import std.string; static import std.conv; static import std.string; static import vtkObjectBase; static import vtkPolyDataAlgorithm; class vtkDecimatePolylineFilter : vtkPolyDataAlgorithm.vtkPolyDataAlgorithm { private void* swigCPtr; public this(void* cObject, bool ownCObject) { super(vtkd_im.vtkDecimatePolylineFilter_Upcast(cObject), ownCObject); swigCPtr = cObject; } public static void* swigGetCPtr(vtkDecimatePolylineFilter obj) { return (obj is null) ? null : obj.swigCPtr; } mixin vtkd_im.SwigOperatorDefinitions; public override void dispose() { synchronized(this) { if (swigCPtr !is null) { if (swigCMemOwn) { swigCMemOwn = false; throw new object.Exception("C++ destructor does not have public access"); } swigCPtr = null; super.dispose(); } } } public static int IsTypeOf(string type) { auto ret = vtkd_im.vtkDecimatePolylineFilter_IsTypeOf((type ? std.string.toStringz(type) : null)); return ret; } public static vtkDecimatePolylineFilter SafeDownCast(vtkObjectBase.vtkObjectBase o) { void* cPtr = vtkd_im.vtkDecimatePolylineFilter_SafeDownCast(vtkObjectBase.vtkObjectBase.swigGetCPtr(o)); vtkDecimatePolylineFilter ret = (cPtr is null) ? null : new vtkDecimatePolylineFilter(cPtr, false); return ret; } public vtkDecimatePolylineFilter NewInstance() const { void* cPtr = vtkd_im.vtkDecimatePolylineFilter_NewInstance(cast(void*)swigCPtr); vtkDecimatePolylineFilter ret = (cPtr is null) ? null : new vtkDecimatePolylineFilter(cPtr, false); return ret; } alias vtkPolyDataAlgorithm.vtkPolyDataAlgorithm.NewInstance NewInstance; public static vtkDecimatePolylineFilter New() { void* cPtr = vtkd_im.vtkDecimatePolylineFilter_New(); vtkDecimatePolylineFilter ret = (cPtr is null) ? null : new vtkDecimatePolylineFilter(cPtr, false); return ret; } public void SetTargetReduction(double _arg) { vtkd_im.vtkDecimatePolylineFilter_SetTargetReduction(cast(void*)swigCPtr, _arg); } public double GetTargetReductionMinValue() { auto ret = vtkd_im.vtkDecimatePolylineFilter_GetTargetReductionMinValue(cast(void*)swigCPtr); return ret; } public double GetTargetReductionMaxValue() { auto ret = vtkd_im.vtkDecimatePolylineFilter_GetTargetReductionMaxValue(cast(void*)swigCPtr); return ret; } public double GetTargetReduction() { auto ret = vtkd_im.vtkDecimatePolylineFilter_GetTargetReduction(cast(void*)swigCPtr); return ret; } }
D
/Users/supriya/Documents/workspace/tawk_to_test-master/Build/Intermediates.noindex/GitUserHandler.build/Debug-iphonesimulator/GitUserHandler.build/Objects-normal/x86_64/NetworkManager.o : /Users/supriya/Documents/workspace/tawk_to_test-master/GitUserHandler/Webservice/Webservice.swift /Users/supriya/Documents/workspace/tawk_to_test-master/GitUserHandler/Repository/RemoteDataSource.swift /Users/supriya/Documents/workspace/tawk_to_test-master/GitUserHandler/Repository/LocalDataSource.swift /Users/supriya/Documents/workspace/tawk_to_test-master/GitUserHandler/DBLayer/CoreDataStorage.swift /Users/supriya/Documents/workspace/tawk_to_test-master/GitUserHandler/SceneDelegate.swift /Users/supriya/Documents/workspace/tawk_to_test-master/GitUserHandler/AppDelegate.swift /Users/supriya/Documents/workspace/tawk_to_test-master/GitUserHandler/DBLayer/GitHubUser+something.swift /Users/supriya/Documents/workspace/tawk_to_test-master/GitUserHandler/ViewModel/GitHubUserViewModel.swift /Users/supriya/Documents/workspace/tawk_to_test-master/GitUserHandler/ViewModel/GitHubUserListViewModel.swift /Users/supriya/Documents/workspace/tawk_to_test-master/GitUserHandler/Extensions/CodingUserInfoKey+Util.swift /Users/supriya/Documents/workspace/tawk_to_test-master/GitUserHandler/PresentationLayer/GitHubUserTableViewCell.swift /Users/supriya/Documents/workspace/tawk_to_test-master/GitUserHandler/Utility/NetworkManager.swift /Users/supriya/Documents/workspace/tawk_to_test-master/GitUserHandler/ViewController.swift /Users/supriya/Documents/workspace/tawk_to_test-master/GitUserHandler/PresentationLayer/ViewController/GitHubUserListTableViewController.swift /Users/supriya/Documents/workspace/tawk_to_test-master/GitUserHandler/PresentationLayer/ViewController/ProfileViewController.swift /Users/supriya/Documents/workspace/tawk_to_test-master/GitUserHandler/DBLayer/GitHubUser.swift /Users/supriya/Documents/workspace/tawk_to_test-master/GitUserHandler/PresentationLayer/ViewExtensions/ViewExtensions.swift /Users/supriya/Documents/workspace/tawk_to_test-master/GitUserHandler/Utility/Constants.swift /Users/supriya/Documents/workspace/tawk_to_test-master/GitUserHandler/Utility/GitHubUserViewModelFactory.swift /Users/supriya/Documents/workspace/tawk_to_test-master/GitUserHandler/Libraries/Reachability.swift /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/ObjectiveC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreData.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreImage.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/QuartzCore.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Metal.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreFoundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreGraphics.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Swift.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/UIKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/SwiftOnoneSupport.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Combine.framework/Modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreData.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/UIKit.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval32.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval64.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ucontext64.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet6/in6.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceObjC.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransform3D.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUUID.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUUID.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSManagedObjectID.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugInCOM.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/ImageIO.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/alloca.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFData.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSData.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/CoreData.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/data.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/quota.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTextTab.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netdb.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/timeb.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernelMetalLib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdlib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_stdlib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/glob.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timespec.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomic.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_o_sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_o_dsync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/malloc/malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/malloc/_malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/proc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ipc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSThread.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/pthread.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/sched.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ucred.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomicDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSSpinLockDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_ctermid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/uuid/uuid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/gethostuuid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextField.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchTextField.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICommand.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKeyCommand.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationSound.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/kmod.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteboard.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboard.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/unistd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/unistd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pwd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInterface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_interface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGLIOSurface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferIOSurface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtectionSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderService.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenshotService.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItemAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIToolbarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFence.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionDifference.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/once.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDiffableDataSource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageSource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/source.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLResource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/resource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusGuide.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILayoutGuide.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenMode.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLNode.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSAtomicStoreCacheNode.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSIncrementalStoreNode.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTree.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/rbtree.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFPage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookieStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/ThreadLocalStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredentialStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPMessage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/message.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/message.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRange.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionChange.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentHistoryChange.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLAuthenticationChallenge.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLESTextureCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTextureCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookie.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFLocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/locale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_locale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_xlocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHashTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMapTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFOperatorTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_purgable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_posix_vdisable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGLDrawable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDrawable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileHandle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/file.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/clonefile.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/copyfile.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSParagraphStyle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTParagraphStyle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/utsname.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFrame.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVHostTime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/NSObjCRuntime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObjCRuntime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/runtime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/utime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScene.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWindowScene.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTLine.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputePipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_os_inline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTimeZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimeZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterShape.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureScope.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/__wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/__wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/runetype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKitCore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSAtomicStore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUbiquitousKeyValueStore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSIncrementalStore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentStore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFeature.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMethodSignature.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLESTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CABase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/ImageIOBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/base.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/base.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/readpassphrase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLResponse.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationResponse.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRasterizationRate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCompoundPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSComparisonPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecCertificate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextPasteDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRunDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSCoreDataCoreSpotlightDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/thread_state.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/thread_state.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/CipherSuite.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomicQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotificationQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/queue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/queue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboardSegue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboardPopoverSegue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/time_value.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_page_size.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_setsize.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceRef.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_def.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStddef.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_offsetof.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBag.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/fp_reg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mig.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemsConfigurationReading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGShading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINibLoading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueCoding.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragging.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionRequestHandling.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderThumbnailing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTiming.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewControllerTransitioning.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSEntityMapping.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPropertyMapping.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDropping.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_symbol_aliasing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDataSourceTranslating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewAnimating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderEnumerating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/AssertionReporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteConfigurationSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextPasteConfigurationSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISpringLoadedInteractionSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityContentSizeCategoryImageAdjusting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContentSizeCategoryAdjusting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueObserving.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStringDrawing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSStringDrawing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/syslog.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syslog.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/msg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fmtmsg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/mach_debug.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/search.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fnmatch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/dispatch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwitch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_switch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITouch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBezierPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/KeyPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/math.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/tgmath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/kauth.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-api.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/port_obj.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sigaltstack.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/lock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/lock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Block.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/block.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CADisplayLink.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetwork.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_task.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredential.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecSharedCredential.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AvailabilityInternal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDropProposal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateInterval.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/acl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_dl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILabel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSMappingModel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSManagedObjectModel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/dyld_kernel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES1/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES2/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES3/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDepthStencil.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/util.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syscall.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/poll.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/poll.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNull.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_null.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtocol.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAutoreleasePool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferPool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStdbool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISegmentedControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPageControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRefreshControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecAccessControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/pthread_impl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ioctl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sysctl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fcntl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/fcntl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFFTPStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFSocketStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContentStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ndbm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIApplicationShortcutItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_nl_item.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/System.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusSystem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuSystem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/shm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ioccom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ttycom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Random.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecRandom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityZoom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGAffineTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/vm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugIn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/mman.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dlfcn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreen.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libgen.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSQueryGenerationToken.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentHistoryToken.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet/in.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderDomain.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILexicon.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRegion.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_region.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationServiceExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSFileProviderExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileVersion.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRegularExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSFetchRequestExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityIdentification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILocalNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUserNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIApplication.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPAuthentication.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSInvocation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CoreFoundation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILocalizedIndexedCollation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CoreAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageDestination.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRenderDestination.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOperation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderItemDecoration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStateRestoration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageSymbolConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontPickerViewControllerConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIResponder+UIActivityItemsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwipeActionsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextMenuConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRubyAnnotation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSJSONSerialization.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextualAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityCustomAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentBrowserAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISpringLoadedInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPencilInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextItemInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDropInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextMenuInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPreviewInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransaction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentHistoryTransaction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITraitCollection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontCollection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXPCConnection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLConnection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAValueFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTimingFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSException.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentStoreDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSAttributeDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSDerivedAttributeDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSExpressionDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSRelationshipDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelFormatDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSFetchIndexElementDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSFetchIndexDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSEntityDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPropertyDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSFetchedPropertyDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarCommon.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_common.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIButton.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPattern.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVReturn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/un.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRun.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CoreVideo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTGlyphInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorConversionInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProcessInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/ipc_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/page_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/zone_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/hash_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/vm_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/lockgroup_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/langinfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_langinfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/io.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/aio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/aio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sockio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/filio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/cpio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/uio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/errno.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/errno.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_zero.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-auto.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLHeap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBinaryHeap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_map.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/bootstrap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet/tcp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/setjmp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFRunLoop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRunLoop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/workloop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/grp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItemGroup.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/group.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wordexp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIToolbar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCalendar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCalendar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_char.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wchar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_wchar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/tar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_var.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/ndr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumber.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimalNumber.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISlider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/FileProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITimingCurveProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSUserActivity+NSItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuBuilder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIResponder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLResourceStateCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputeCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLParallelRenderCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBlitCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgumentEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/i386/OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/i386/_OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/_OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/architecture/byte_order.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVImageBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSMigrationManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUndoManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStatusBarManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/DocumentManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLinguisticTagger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationTrigger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusDebugger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextChecker.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDatePicker.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICloudSharingController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPresentationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverPresentationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentInteractionController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintInteractionController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImagePickerController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrinterPickerController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVideoEditorController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSFetchedResultsController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlertController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPageViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentPickerExtensionViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentPickerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontPickerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchContainerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentBrowserViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISplitViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInputViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentMenuViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIReferenceLibraryViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchDisplayController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CISampler.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLSampler.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValueTransformer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataConsumer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentCloudKitContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFScanner.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScanner.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintPaper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileWrapper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStepper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsPDFRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintPageRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsImageRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragPreviewRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLParser.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXMLParser.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccelerometer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRAWFilter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNotificationCenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNUserNotificationCenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFilePresenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrinter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRelativeDateTimeFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSISO8601DateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLengthFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateIntervalFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumberFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNumberFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMassFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponentsFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateComponentsFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurementFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteCountFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSListFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnergyFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFramesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTypesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyedArchiver.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILargeContentViewer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CALayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEAGLLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATiledLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAShapeLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMetalLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAScrollLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransformLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAReplicatorLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAGradientLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATextLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringTokenizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwipeGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPinchGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPanGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenEdgePanGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRotationGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITapGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIHoverGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILongPressGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_clr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutAnchor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFieldBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPushBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicItemBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollisionBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISnapBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAttachmentBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGravityBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_behavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/error.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_error.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProcessor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageAccumulator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicAnimator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewPropertyAnimator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentStoreCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextFormattingCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusAnimationCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewControllerTransitionCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLEnumerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnumerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINotificationFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISelectionFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImpactFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIVector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBitVector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIDetector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterConstructor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityCustomRotor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIBarcodeDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityLocationDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSortDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLStageInputOutputDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLVertexDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/err.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/attr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/xattr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RuntimeStubs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontMetrics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_statistics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetDiagnostics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetServices.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNetServices.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPreferences.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPathUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageProperties.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/times.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/CoreDataDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImageDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKitDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/MacTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTLayoutTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/std_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/mach_debug_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/nl_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exception_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_voucher_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/memory_object_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/gltypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/inttypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_inttypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadataAttributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTStringAttributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_attributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFunctionConstantValues.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkDefs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/cdefs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/statvfs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xattr_flags.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/eflags.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/strings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_strings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationSettings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIUserNotificationSettings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/paths.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread_spis.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/TargetConditionals.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_syscalls.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSDataShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/LibcShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/UnicodeShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSLocaleShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RuntimeShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSTimeZoneShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CFHashingShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSIndexPathShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CoreFoundationShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCalendarShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCoderShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSFileManagerShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSUndoManagerShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSKeyedArchiverShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSErrorShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CFCharacterSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCharacterSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSIndexSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/ObjectiveCOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/LibcOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/DispatchOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CoreFoundationOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/UIKitOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSDictionaryShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterBuiltins.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/NSString+UserNotifications.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINibDeclarations.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderActions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGuidedAccessRestrictions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerFunctions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UNNotificationResponse+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSIndexPath+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSItemProvider+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneActivationConditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneDefinitions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentCloudKitContainerOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/termios.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/termios.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/qos.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/qos.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ConditionalMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AssertMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AvailabilityMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_traps.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ifaddrs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITimingParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPreviewParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragPreviewParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/CoreDataErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManagerErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mig_errors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDataDetectors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsRendererSubclass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGestureRecognizerSubclass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGuidedAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPress.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProgress.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/GlobalObjects.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/_structs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/_structs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontTraits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInputTraits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syslimits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sysexits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserDefaults.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ttydefaults.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityConstants.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponents.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/bsm/audit_uevents.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/appleapiopts.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocus.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragURLPreviews.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ino64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_filesec_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_iovec_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_id_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsobj_id_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_gid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_pid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_guid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uuid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_cond_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_once_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mode_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_time_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_rune_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ct_rune_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_wctype_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mbstate_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_size_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_blksize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_rsize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ssize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ptrdiff_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_off_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_clock_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_rwlock_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_nlink_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_socklen_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ino_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_errno_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_wchar_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_in_addr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_caddr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_intptr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uintptr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_attr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_condattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_rwlockattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_mutexattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_useconds_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_suseconds_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_wctrans_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sigset_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_blkcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsblkcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsfilcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_wint_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mach_port_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_in_port_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_dev_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_intmax_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uintmax_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_mutex_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_key_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_key_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sa_family_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPixelFormat.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/float.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/stat.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_act.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVisualEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMotionEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBlurEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVibrancyEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/NSObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSManagedObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/HeapObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/object.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/object.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/select.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_select.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_inspect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderMaterializedSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCharacterSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCharacterSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/ShareSheet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActionSheet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Target.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSocket.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/socket.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/arpa/inet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/lock_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_seek_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSDataAsset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageAsset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_isset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/wait.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/bsm/audit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ulimit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUnit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_init.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_inherit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentStoreResult.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTextCheckingResult.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_s_ifmt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGradient.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuElement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityElement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationAttachment.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextAttachment.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIManagedDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dirent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/dirent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationContent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPressesEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/event.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusMovementHint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutConstraint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStdint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RefCount.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/mount.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_reboot.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_prot.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/getopt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlert.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/assert.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMessagePort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMachPort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_short.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/port.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_port.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationShimSupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverSupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFProxySupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecureTransport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecImportExport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentHistoryChangeRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentStoreRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSBatchUpdateRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSBatchDeleteRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSFetchRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSSaveChangesRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSBatchInsertRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPropertyList.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPropertyList.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_va_list.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHost.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_host.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/kdebug_signpost.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecTrust.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewCompositionalLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewTransitionLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewFlowLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInput.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringEncodingExt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSText.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES1/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES2/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES3/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIOpenURLContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBitmapContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSManagedObjectContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_mcontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_mcontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ucontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ucontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenu.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/net_kev.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_priv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_priv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fenv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/iconv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWebView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverBackgroundView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStackView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScrollView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPickerView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewHeaderFooterView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityIndicatorView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIProgressView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVisualEffectView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlertView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInputView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITargetedPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITargetedDragPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSShadow.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWindow.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ftw.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/complex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/utmpx.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/lctx.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecPolicy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSMergePolicy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSEntityMigrationPolicy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/sync_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecKey.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/notify.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_notify.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrthography.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_reply.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_copy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLLibrary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/monetary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_monetary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderSearchQuery.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContentSizeCategory.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationCategory.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAvailability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLESAvailability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_posix_availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Visibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationLegacySwiftCompatibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/Security.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileSecurity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_security.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecIdentity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIUserActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProxy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach-o/module.map /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libxml2/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/simd/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/unicode/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/CommonCrypto/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/CoreData.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/supriya/Documents/workspace/tawk_to_test-master/Build/Intermediates.noindex/GitUserHandler.build/Debug-iphonesimulator/GitUserHandler.build/Objects-normal/x86_64/NetworkManager~partial.swiftmodule : /Users/supriya/Documents/workspace/tawk_to_test-master/GitUserHandler/Webservice/Webservice.swift /Users/supriya/Documents/workspace/tawk_to_test-master/GitUserHandler/Repository/RemoteDataSource.swift /Users/supriya/Documents/workspace/tawk_to_test-master/GitUserHandler/Repository/LocalDataSource.swift /Users/supriya/Documents/workspace/tawk_to_test-master/GitUserHandler/DBLayer/CoreDataStorage.swift /Users/supriya/Documents/workspace/tawk_to_test-master/GitUserHandler/SceneDelegate.swift /Users/supriya/Documents/workspace/tawk_to_test-master/GitUserHandler/AppDelegate.swift /Users/supriya/Documents/workspace/tawk_to_test-master/GitUserHandler/DBLayer/GitHubUser+something.swift /Users/supriya/Documents/workspace/tawk_to_test-master/GitUserHandler/ViewModel/GitHubUserViewModel.swift /Users/supriya/Documents/workspace/tawk_to_test-master/GitUserHandler/ViewModel/GitHubUserListViewModel.swift /Users/supriya/Documents/workspace/tawk_to_test-master/GitUserHandler/Extensions/CodingUserInfoKey+Util.swift /Users/supriya/Documents/workspace/tawk_to_test-master/GitUserHandler/PresentationLayer/GitHubUserTableViewCell.swift /Users/supriya/Documents/workspace/tawk_to_test-master/GitUserHandler/Utility/NetworkManager.swift /Users/supriya/Documents/workspace/tawk_to_test-master/GitUserHandler/ViewController.swift /Users/supriya/Documents/workspace/tawk_to_test-master/GitUserHandler/PresentationLayer/ViewController/GitHubUserListTableViewController.swift /Users/supriya/Documents/workspace/tawk_to_test-master/GitUserHandler/PresentationLayer/ViewController/ProfileViewController.swift /Users/supriya/Documents/workspace/tawk_to_test-master/GitUserHandler/DBLayer/GitHubUser.swift /Users/supriya/Documents/workspace/tawk_to_test-master/GitUserHandler/PresentationLayer/ViewExtensions/ViewExtensions.swift /Users/supriya/Documents/workspace/tawk_to_test-master/GitUserHandler/Utility/Constants.swift /Users/supriya/Documents/workspace/tawk_to_test-master/GitUserHandler/Utility/GitHubUserViewModelFactory.swift /Users/supriya/Documents/workspace/tawk_to_test-master/GitUserHandler/Libraries/Reachability.swift /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/ObjectiveC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreData.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreImage.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/QuartzCore.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Metal.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreFoundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreGraphics.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Swift.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/UIKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/SwiftOnoneSupport.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Combine.framework/Modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreData.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/UIKit.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval32.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval64.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ucontext64.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet6/in6.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceObjC.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransform3D.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUUID.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUUID.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSManagedObjectID.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugInCOM.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/ImageIO.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/alloca.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFData.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSData.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/CoreData.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/data.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/quota.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTextTab.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netdb.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/timeb.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernelMetalLib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdlib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_stdlib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/glob.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timespec.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomic.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_o_sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_o_dsync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/malloc/malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/malloc/_malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/proc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ipc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSThread.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/pthread.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/sched.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ucred.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomicDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSSpinLockDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_ctermid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/uuid/uuid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/gethostuuid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextField.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchTextField.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICommand.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKeyCommand.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationSound.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/kmod.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteboard.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboard.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/unistd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/unistd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pwd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInterface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_interface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGLIOSurface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferIOSurface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtectionSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderService.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenshotService.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItemAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIToolbarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFence.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionDifference.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/once.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDiffableDataSource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageSource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/source.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLResource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/resource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusGuide.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILayoutGuide.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenMode.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLNode.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSAtomicStoreCacheNode.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSIncrementalStoreNode.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTree.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/rbtree.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFPage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookieStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/ThreadLocalStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredentialStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPMessage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/message.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/message.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRange.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionChange.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentHistoryChange.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLAuthenticationChallenge.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLESTextureCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTextureCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookie.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFLocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/locale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_locale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_xlocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHashTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMapTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFOperatorTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_purgable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_posix_vdisable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGLDrawable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDrawable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileHandle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/file.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/clonefile.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/copyfile.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSParagraphStyle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTParagraphStyle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/utsname.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFrame.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVHostTime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/NSObjCRuntime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObjCRuntime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/runtime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/utime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScene.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWindowScene.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTLine.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputePipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_os_inline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTimeZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimeZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterShape.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureScope.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/__wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/__wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/runetype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKitCore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSAtomicStore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUbiquitousKeyValueStore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSIncrementalStore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentStore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFeature.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMethodSignature.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLESTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CABase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/ImageIOBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/base.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/base.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/readpassphrase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLResponse.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationResponse.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRasterizationRate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCompoundPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSComparisonPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecCertificate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextPasteDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRunDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSCoreDataCoreSpotlightDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/thread_state.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/thread_state.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/CipherSuite.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomicQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotificationQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/queue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/queue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboardSegue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboardPopoverSegue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/time_value.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_page_size.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_setsize.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceRef.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_def.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStddef.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_offsetof.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBag.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/fp_reg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mig.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemsConfigurationReading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGShading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINibLoading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueCoding.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragging.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionRequestHandling.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderThumbnailing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTiming.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewControllerTransitioning.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSEntityMapping.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPropertyMapping.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDropping.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_symbol_aliasing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDataSourceTranslating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewAnimating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderEnumerating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/AssertionReporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteConfigurationSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextPasteConfigurationSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISpringLoadedInteractionSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityContentSizeCategoryImageAdjusting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContentSizeCategoryAdjusting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueObserving.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStringDrawing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSStringDrawing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/syslog.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syslog.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/msg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fmtmsg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/mach_debug.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/search.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fnmatch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/dispatch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwitch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_switch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITouch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBezierPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/KeyPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/math.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/tgmath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/kauth.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-api.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/port_obj.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sigaltstack.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/lock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/lock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Block.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/block.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CADisplayLink.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetwork.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_task.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredential.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecSharedCredential.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AvailabilityInternal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDropProposal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateInterval.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/acl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_dl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILabel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSMappingModel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSManagedObjectModel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/dyld_kernel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES1/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES2/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES3/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDepthStencil.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/util.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syscall.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/poll.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/poll.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNull.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_null.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtocol.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAutoreleasePool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferPool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStdbool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISegmentedControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPageControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRefreshControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecAccessControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/pthread_impl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ioctl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sysctl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fcntl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/fcntl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFFTPStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFSocketStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContentStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ndbm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIApplicationShortcutItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_nl_item.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/System.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusSystem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuSystem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/shm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ioccom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ttycom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Random.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecRandom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityZoom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGAffineTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/vm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugIn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/mman.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dlfcn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreen.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libgen.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSQueryGenerationToken.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentHistoryToken.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet/in.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderDomain.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILexicon.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRegion.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_region.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationServiceExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSFileProviderExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileVersion.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRegularExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSFetchRequestExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityIdentification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILocalNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUserNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIApplication.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPAuthentication.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSInvocation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CoreFoundation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILocalizedIndexedCollation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CoreAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageDestination.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRenderDestination.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOperation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderItemDecoration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStateRestoration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageSymbolConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontPickerViewControllerConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIResponder+UIActivityItemsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwipeActionsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextMenuConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRubyAnnotation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSJSONSerialization.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextualAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityCustomAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentBrowserAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISpringLoadedInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPencilInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextItemInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDropInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextMenuInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPreviewInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransaction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentHistoryTransaction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITraitCollection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontCollection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXPCConnection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLConnection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAValueFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTimingFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSException.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentStoreDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSAttributeDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSDerivedAttributeDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSExpressionDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSRelationshipDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelFormatDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSFetchIndexElementDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSFetchIndexDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSEntityDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPropertyDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSFetchedPropertyDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarCommon.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_common.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIButton.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPattern.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVReturn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/un.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRun.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CoreVideo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTGlyphInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorConversionInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProcessInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/ipc_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/page_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/zone_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/hash_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/vm_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/lockgroup_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/langinfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_langinfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/io.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/aio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/aio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sockio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/filio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/cpio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/uio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/errno.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/errno.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_zero.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-auto.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLHeap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBinaryHeap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_map.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/bootstrap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet/tcp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/setjmp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFRunLoop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRunLoop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/workloop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/grp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItemGroup.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/group.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wordexp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIToolbar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCalendar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCalendar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_char.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wchar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_wchar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/tar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_var.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/ndr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumber.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimalNumber.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISlider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/FileProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITimingCurveProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSUserActivity+NSItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuBuilder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIResponder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLResourceStateCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputeCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLParallelRenderCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBlitCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgumentEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/i386/OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/i386/_OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/_OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/architecture/byte_order.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVImageBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSMigrationManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUndoManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStatusBarManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/DocumentManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLinguisticTagger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationTrigger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusDebugger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextChecker.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDatePicker.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICloudSharingController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPresentationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverPresentationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentInteractionController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintInteractionController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImagePickerController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrinterPickerController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVideoEditorController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSFetchedResultsController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlertController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPageViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentPickerExtensionViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentPickerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontPickerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchContainerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentBrowserViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISplitViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInputViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentMenuViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIReferenceLibraryViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchDisplayController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CISampler.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLSampler.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValueTransformer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataConsumer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentCloudKitContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFScanner.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScanner.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintPaper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileWrapper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStepper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsPDFRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintPageRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsImageRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragPreviewRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLParser.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXMLParser.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccelerometer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRAWFilter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNotificationCenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNUserNotificationCenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFilePresenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrinter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRelativeDateTimeFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSISO8601DateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLengthFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateIntervalFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumberFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNumberFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMassFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponentsFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateComponentsFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurementFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteCountFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSListFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnergyFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFramesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTypesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyedArchiver.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILargeContentViewer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CALayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEAGLLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATiledLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAShapeLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMetalLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAScrollLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransformLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAReplicatorLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAGradientLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATextLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringTokenizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwipeGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPinchGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPanGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenEdgePanGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRotationGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITapGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIHoverGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILongPressGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_clr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutAnchor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFieldBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPushBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicItemBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollisionBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISnapBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAttachmentBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGravityBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_behavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/error.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_error.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProcessor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageAccumulator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicAnimator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewPropertyAnimator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentStoreCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextFormattingCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusAnimationCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewControllerTransitionCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLEnumerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnumerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINotificationFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISelectionFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImpactFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIVector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBitVector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIDetector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterConstructor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityCustomRotor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIBarcodeDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityLocationDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSortDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLStageInputOutputDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLVertexDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/err.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/attr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/xattr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RuntimeStubs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontMetrics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_statistics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetDiagnostics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetServices.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNetServices.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPreferences.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPathUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageProperties.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/times.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/CoreDataDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImageDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKitDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/MacTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTLayoutTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/std_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/mach_debug_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/nl_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exception_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_voucher_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/memory_object_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/gltypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/inttypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_inttypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadataAttributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTStringAttributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_attributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFunctionConstantValues.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkDefs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/cdefs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/statvfs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xattr_flags.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/eflags.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/strings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_strings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationSettings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIUserNotificationSettings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/paths.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread_spis.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/TargetConditionals.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_syscalls.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSDataShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/LibcShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/UnicodeShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSLocaleShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RuntimeShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSTimeZoneShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CFHashingShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSIndexPathShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CoreFoundationShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCalendarShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCoderShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSFileManagerShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSUndoManagerShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSKeyedArchiverShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSErrorShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CFCharacterSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCharacterSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSIndexSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/ObjectiveCOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/LibcOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/DispatchOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CoreFoundationOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/UIKitOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSDictionaryShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterBuiltins.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/NSString+UserNotifications.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINibDeclarations.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderActions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGuidedAccessRestrictions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerFunctions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UNNotificationResponse+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSIndexPath+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSItemProvider+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneActivationConditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneDefinitions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentCloudKitContainerOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/termios.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/termios.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/qos.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/qos.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ConditionalMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AssertMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AvailabilityMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_traps.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ifaddrs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITimingParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPreviewParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragPreviewParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/CoreDataErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManagerErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mig_errors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDataDetectors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsRendererSubclass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGestureRecognizerSubclass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGuidedAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPress.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProgress.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/GlobalObjects.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/_structs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/_structs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontTraits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInputTraits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syslimits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sysexits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserDefaults.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ttydefaults.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityConstants.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponents.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/bsm/audit_uevents.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/appleapiopts.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocus.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragURLPreviews.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ino64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_filesec_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_iovec_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_id_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsobj_id_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_gid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_pid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_guid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uuid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_cond_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_once_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mode_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_time_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_rune_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ct_rune_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_wctype_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mbstate_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_size_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_blksize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_rsize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ssize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ptrdiff_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_off_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_clock_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_rwlock_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_nlink_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_socklen_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ino_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_errno_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_wchar_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_in_addr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_caddr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_intptr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uintptr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_attr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_condattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_rwlockattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_mutexattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_useconds_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_suseconds_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_wctrans_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sigset_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_blkcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsblkcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsfilcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_wint_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mach_port_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_in_port_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_dev_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_intmax_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uintmax_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_mutex_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_key_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_key_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sa_family_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPixelFormat.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/float.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/stat.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_act.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVisualEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMotionEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBlurEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVibrancyEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/NSObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSManagedObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/HeapObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/object.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/object.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/select.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_select.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_inspect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderMaterializedSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCharacterSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCharacterSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/ShareSheet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActionSheet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Target.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSocket.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/socket.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/arpa/inet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/lock_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_seek_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSDataAsset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageAsset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_isset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/wait.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/bsm/audit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ulimit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUnit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_init.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_inherit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentStoreResult.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTextCheckingResult.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_s_ifmt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGradient.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuElement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityElement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationAttachment.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextAttachment.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIManagedDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dirent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/dirent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationContent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPressesEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/event.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusMovementHint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutConstraint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStdint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RefCount.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/mount.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_reboot.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_prot.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/getopt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlert.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/assert.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMessagePort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMachPort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_short.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/port.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_port.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationShimSupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverSupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFProxySupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecureTransport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecImportExport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentHistoryChangeRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentStoreRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSBatchUpdateRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSBatchDeleteRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSFetchRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSSaveChangesRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSBatchInsertRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPropertyList.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPropertyList.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_va_list.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHost.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_host.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/kdebug_signpost.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecTrust.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewCompositionalLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewTransitionLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewFlowLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInput.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringEncodingExt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSText.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES1/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES2/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES3/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIOpenURLContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBitmapContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSManagedObjectContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_mcontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_mcontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ucontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ucontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenu.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/net_kev.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_priv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_priv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fenv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/iconv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWebView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverBackgroundView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStackView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScrollView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPickerView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewHeaderFooterView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityIndicatorView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIProgressView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVisualEffectView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlertView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInputView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITargetedPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITargetedDragPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSShadow.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWindow.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ftw.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/complex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/utmpx.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/lctx.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecPolicy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSMergePolicy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSEntityMigrationPolicy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/sync_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecKey.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/notify.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_notify.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrthography.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_reply.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_copy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLLibrary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/monetary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_monetary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderSearchQuery.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContentSizeCategory.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationCategory.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAvailability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLESAvailability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_posix_availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Visibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationLegacySwiftCompatibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/Security.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileSecurity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_security.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecIdentity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIUserActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProxy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach-o/module.map /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libxml2/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/simd/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/unicode/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/CommonCrypto/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/CoreData.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes /Users/supriya/Documents/workspace/tawk_to_test-master/Build/Intermediates.noindex/GitUserHandler.build/Debug-iphonesimulator/GitUserHandler.build/Objects-normal/x86_64/NetworkManager~partial.swiftdoc : /Users/supriya/Documents/workspace/tawk_to_test-master/GitUserHandler/Webservice/Webservice.swift /Users/supriya/Documents/workspace/tawk_to_test-master/GitUserHandler/Repository/RemoteDataSource.swift /Users/supriya/Documents/workspace/tawk_to_test-master/GitUserHandler/Repository/LocalDataSource.swift /Users/supriya/Documents/workspace/tawk_to_test-master/GitUserHandler/DBLayer/CoreDataStorage.swift /Users/supriya/Documents/workspace/tawk_to_test-master/GitUserHandler/SceneDelegate.swift /Users/supriya/Documents/workspace/tawk_to_test-master/GitUserHandler/AppDelegate.swift /Users/supriya/Documents/workspace/tawk_to_test-master/GitUserHandler/DBLayer/GitHubUser+something.swift /Users/supriya/Documents/workspace/tawk_to_test-master/GitUserHandler/ViewModel/GitHubUserViewModel.swift /Users/supriya/Documents/workspace/tawk_to_test-master/GitUserHandler/ViewModel/GitHubUserListViewModel.swift /Users/supriya/Documents/workspace/tawk_to_test-master/GitUserHandler/Extensions/CodingUserInfoKey+Util.swift /Users/supriya/Documents/workspace/tawk_to_test-master/GitUserHandler/PresentationLayer/GitHubUserTableViewCell.swift /Users/supriya/Documents/workspace/tawk_to_test-master/GitUserHandler/Utility/NetworkManager.swift /Users/supriya/Documents/workspace/tawk_to_test-master/GitUserHandler/ViewController.swift /Users/supriya/Documents/workspace/tawk_to_test-master/GitUserHandler/PresentationLayer/ViewController/GitHubUserListTableViewController.swift /Users/supriya/Documents/workspace/tawk_to_test-master/GitUserHandler/PresentationLayer/ViewController/ProfileViewController.swift /Users/supriya/Documents/workspace/tawk_to_test-master/GitUserHandler/DBLayer/GitHubUser.swift /Users/supriya/Documents/workspace/tawk_to_test-master/GitUserHandler/PresentationLayer/ViewExtensions/ViewExtensions.swift /Users/supriya/Documents/workspace/tawk_to_test-master/GitUserHandler/Utility/Constants.swift /Users/supriya/Documents/workspace/tawk_to_test-master/GitUserHandler/Utility/GitHubUserViewModelFactory.swift /Users/supriya/Documents/workspace/tawk_to_test-master/GitUserHandler/Libraries/Reachability.swift /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/ObjectiveC.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreData.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreImage.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/QuartzCore.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Dispatch.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Metal.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Darwin.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Foundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreFoundation.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/CoreGraphics.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/Swift.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/UIKit.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/SwiftOnoneSupport.swiftmodule/x86_64.swiftinterface /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Combine.framework/Modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftinterface /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/ObjectiveC.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreData.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreImage.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/QuartzCore.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Dispatch.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Metal.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Darwin.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Foundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreFoundation.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/CoreGraphics.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Swift.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/UIKit.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/SwiftOnoneSupport.swiftmodule/x86_64.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator/prebuilt-modules/Combine.swiftmodule/x86_64-apple-ios-simulator.swiftmodule /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval32.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval64.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ucontext64.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet6/in6.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceObjC.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransform3D.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUUID.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUUID.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSManagedObjectID.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURL.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugInCOM.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/ImageIO.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/alloca.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFData.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSData.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/CoreData.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/data.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolMetadata.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/quota.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTextTab.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netdb.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/timeb.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernelMetalLib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdlib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_stdlib.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/glob.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timespec.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomic.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_o_sync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_o_dsync.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/malloc/malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/malloc/_malloc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/proc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ipc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/rpc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exc.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSThread.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/pthread.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/sched.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ucred.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomicDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSSpinLockDeprecated.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_ctermid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/uuid/uuid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/gethostuuid.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextField.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchTextField.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICommand.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKeyCommand.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationSound.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/kmod.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteboard.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboard.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/unistd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/unistd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pwd.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInterface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_interface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGLIOSurface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferIOSurface.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtectionSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorSpace.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDevice.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderService.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenshotService.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItemAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationBarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIToolbarAppearance.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFence.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionDifference.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/once.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDiffableDataSource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageSource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/source.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLResource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/resource.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusGuide.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILayoutGuide.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenMode.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLNode.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSAtomicStoreCacheNode.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSIncrementalStoreNode.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTree.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/rbtree.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFPage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookieStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/ThreadLocalStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredentialStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextStorage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPMessage.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/message.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/message.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRange.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedCollectionChange.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentHistoryChange.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLAuthenticationChallenge.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLESTextureCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTextureCache.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHTTPCookie.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFLocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/locale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_locale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_xlocale.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSHashTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMapTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFOperatorTable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_purgable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_posix_vdisable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/EAGLDrawable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDrawable.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileHandle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSBundle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/file.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/clonefile.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/copyfile.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSParagraphStyle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTParagraphStyle.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/utsname.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFrame.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVHostTime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_time.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/NSObjCRuntime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObjCRuntime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/runtime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/utime.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScene.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWindowScene.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTLine.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputePipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPipeline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_os_inline.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFTimeZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimeZone.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterShape.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureScope.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_ctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/__wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/__wctype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/runetype.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKitCore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/semaphore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSAtomicStore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUbiquitousKeyValueStore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSIncrementalStore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentStore.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFeature.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMethodSignature.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVOpenGLESTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVMetalTexture.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CABase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/ImageIOBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceBase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/base.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/base.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/readpassphrase.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLResponse.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationResponse.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRasterizationRate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCompoundPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSComparisonPredicate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecCertificate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextPasteDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRunDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSCoreDataCoreSpotlightDelegate.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/thread_state.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/thread_state.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/CipherSuite.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSAtomicQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotificationQueue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/queue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/queue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboardSegue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStoryboardPopoverSegue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValue.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/time_value.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_page_size.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_setsize.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceRef.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_def.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStddef.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_offsetof.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBag.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/fp_reg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mig.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemsConfigurationReading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGShading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINibLoading.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueCoding.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragging.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionRequestHandling.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderThumbnailing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTiming.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewControllerTransitioning.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSEntityMapping.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPropertyMapping.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDropping.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSAttributedString.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_string.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_symbol_aliasing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDataSourceTranslating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewAnimating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderEnumerating.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/AssertionReporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteConfigurationSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextPasteConfigurationSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISpringLoadedInteractionSupporting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityContentSizeCategoryImageAdjusting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContentSizeCategoryAdjusting.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyValueObserving.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStringDrawing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSStringDrawing.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/syslog.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syslog.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/msg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fmtmsg.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/mach_debug.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/search.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fnmatch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/dispatch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwitch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_switch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITouch.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBezierPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/KeyPath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/math.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/tgmath.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/kauth.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-api.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/port_obj.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sigaltstack.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/lock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/lock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Block.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/block.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CADisplayLink.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetwork.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_task.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLCredential.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecSharedCredential.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/signal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AvailabilityInternal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDropProposal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_timeval.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateInterval.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/acl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_dl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILabel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSMappingModel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSManagedObjectModel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIKernel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/dyld_kernel.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES1/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES2/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES3/gl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDepthStencil.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/util.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syscall.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewCell.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/poll.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/poll.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNull.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_null.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLProtocol.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSAutoreleasePool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBufferPool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStdbool.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISegmentedControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPageControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRefreshControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecAccessControl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/pthread_impl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ioctl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sysctl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fcntl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/fcntl.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFFTPStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFSocketStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContentStream.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_param.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ndbm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIApplicationShortcutItem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_nl_item.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/System.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusSystem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuSystem.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/shm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ioccom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ttycom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Random.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecRandom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityZoom.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGAffineTransform.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/vm.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPlugIn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/boolean.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_endian.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/mman.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dlfcn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreen.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libgen.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSQueryGenerationToken.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentHistoryToken.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet/in.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderDomain.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILexicon.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRegion.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_region.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationServiceExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSFileProviderExtension.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileVersion.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragSession.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRegularExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSFetchRequestExpression.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityIdentification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILocalNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUserNotification.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIApplication.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHTTPAuthentication.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSInvocation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CoreFoundation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILocalizedIndexedCollation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CoreAnimation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageDestination.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRenderDestination.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOperation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderItemDecoration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStateRestoration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPasteConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageSymbolConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontPickerViewControllerConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIResponder+UIActivityItemsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwipeActionsConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextMenuConfiguration.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRubyAnnotation.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSJSONSerialization.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextualAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityCustomAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentBrowserAction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISpringLoadedInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPencilInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextItemInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDropInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContextMenuInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPreviewInteraction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransaction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentHistoryTransaction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITraitCollection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontCollection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXPCConnection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLConnection.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAValueFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMediaTimingFunction.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSException.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exception.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentStoreDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSAttributeDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSDerivedAttributeDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSExpressionDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSRelationshipDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelFormatDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSFetchIndexElementDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSFetchIndexDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSEntityDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPropertyDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSFetchedPropertyDescription.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarCommon.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_common.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIButton.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPattern.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVReturn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/kern_return.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/un.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTRun.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/spawn.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CoreVideo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTGlyphInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColorConversionInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProcessInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintInfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/ipc_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/page_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/zone_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/hash_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/vm_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/lockgroup_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_info.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/langinfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_langinfo.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/io.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/aio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/aio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_stdio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/sockio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/filio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/cpio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/uio.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/errno.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/errno.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_zero.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/objc-auto.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLHeap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBinaryHeap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_map.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/bootstrap.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/netinet/tcp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/setjmp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFRunLoop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRunLoop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/workloop.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/grp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBarButtonItemGroup.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/group.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wordexp.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationBar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIToolbar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCalendar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCalendar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_char.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/wchar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_wchar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/tar.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_var.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/ndr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumber.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDecimalNumber.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISlider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/FileProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITimingCurveProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSUserActivity+NSItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityItemProvider.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuBuilder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIResponder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLResourceStateCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLComputeCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLParallelRenderCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBlitCommandEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgumentEncoder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/i386/OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/i386/_OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libkern/_OSByteOrder.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/architecture/byte_order.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCommandBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLIndirectCommandBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVImageBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Headers/CVPixelBuffer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLCaptureManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSMigrationManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUndoManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStatusBarManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/DocumentManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutManager.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLinguisticTagger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationTrigger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusDebugger.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextChecker.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDatePicker.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICloudSharingController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINavigationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPresentationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverPresentationController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentInteractionController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintInteractionController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITabBarController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImagePickerController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrinterPickerController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVideoEditorController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSFetchedResultsController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlertController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPageViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentPickerExtensionViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentPickerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontPickerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchContainerViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentBrowserViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISplitViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInputViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocumentMenuViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIReferenceLibraryViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityViewController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISearchDisplayController.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CISampler.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLSampler.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTimer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSValueTransformer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGDataConsumer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentCloudKitContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityContainer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFScanner.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSScanner.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintPaper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileWrapper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStepper.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsPDFRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintPageRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsImageRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragPreviewRenderer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFXMLParser.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSXMLParser.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccelerometer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIRAWFilter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNotificationCenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNUserNotificationCenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFilePresenter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrinter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSRelativeDateTimeFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSISO8601DateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSLengthFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateIntervalFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFNumberFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNumberFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMassFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponentsFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDateComponentsFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurementFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSByteCountFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSListFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnergyFormatter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFramesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTTypesetter.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSKeyedArchiver.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILargeContentViewer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CALayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEAGLLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATiledLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAShapeLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAMetalLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAScrollLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATransformLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAEmitterLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAReplicatorLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CAGradientLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/CATextLayer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringTokenizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISwipeGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPinchGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPanGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScreenEdgePanGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIRotationGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITapGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIHoverGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UILongPressGestureRecognizer.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_clr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutAnchor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFieldBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPushBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicItemBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollisionBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISnapBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAttachmentBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGravityBehavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_behavior.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIColor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPrintError.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/error.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_error.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageProcessor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIImageAccumulator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDynamicAnimator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewPropertyAnimator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSFileCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentStoreCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextFormattingCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusAnimationCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIViewControllerTransitionCoordinator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLEnumerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSEnumerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINotificationFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISelectionFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImpactFeedbackGenerator.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIVector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFBitVector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIDetector.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterConstructor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityCustomRotor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIBarcodeDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityLocationDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSortDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLStageInputOutputDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLVertexDescriptor.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/err.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/attr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/xattr.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RuntimeStubs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFontMetrics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_statistics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetDiagnostics.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetServices.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSNetServices.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPreferences.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPathUtilities.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Headers/CGImageProperties.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/times.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/CoreDataDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImageDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKitDefines.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/MacTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Headers/IOSurfaceTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/SFNTLayoutTypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/std_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/if_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach_debug/mach_debug_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/nl_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/exception_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_voucher_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/memory_object_types.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/gltypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/inttypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_inttypes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMetadataAttributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTStringAttributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_attributes.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLFunctionConstantValues.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkDefs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/cdefs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/statvfs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xattr_flags.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/eflags.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/strings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/secure/_strings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationSettings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIUserNotificationSettings.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/paths.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread_spis.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/TargetConditionals.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_syscalls.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSDataShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/LibcShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/UnicodeShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSLocaleShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RuntimeShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSTimeZoneShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CFHashingShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSIndexPathShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CoreFoundationShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCalendarShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCoderShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSFileManagerShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSUndoManagerShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSKeyedArchiverShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSErrorShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CFCharacterSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSCharacterSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSIndexSetShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/ObjectiveCOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/LibcOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/DispatchOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/CoreFoundationOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/UIKitOverlayShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/NSDictionaryShims.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIFilterBuiltins.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/NSString+UserNotifications.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UINibDeclarations.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderActions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGuidedAccessRestrictions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerFunctions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UNNotificationResponse+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSIndexPath+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSItemProvider+UIKitAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityAdditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneActivationConditions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneDefinitions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UISceneOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentCloudKitContainerOptions.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/termios.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/termios.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/pthread/qos.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/qos.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ConditionalMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AssertMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/AvailabilityMacros.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_traps.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ifaddrs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITimingParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPreviewParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragPreviewParameters.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/CoreDataErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFNetworkErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontManagerErrors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mig_errors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDataDetectors.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLRenderPass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGraphicsRendererSubclass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGestureRecognizerSubclass.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFURLAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGuidedAccess.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPress.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProgress.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/GlobalObjects.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/_structs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/_structs.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFontTraits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInputTraits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_limits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/syslimits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sysexits.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserDefaults.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ttydefaults.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityConstants.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPersonNameComponents.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/bsm/audit_uevents.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/appleapiopts.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_special_ports.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocus.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/i386/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/machine/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_status.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextDragURLPreviews.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint32_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ino64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint64_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint16_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_int8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uint8_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_filesec_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_iovec_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_id_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsobj_id_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_gid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_pid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_guid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uuid_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_cond_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_once_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mode_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_time_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_rune_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ct_rune_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_wctype_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mbstate_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_size_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_blksize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_rsize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ssize_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ptrdiff_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_off_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_clock_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_rwlock_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_nlink_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_socklen_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ino_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_errno_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_wchar_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_in_addr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_caddr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_intptr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_uintptr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_attr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_condattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_rwlockattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_mutexattr_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_useconds_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_suseconds_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_wctrans_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sigset_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_blkcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsblkcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fsfilcnt_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_wint_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_mach_port_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_in_port_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_dev_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_intmax_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_types/_uintmax_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_mutex_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_key_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_pthread/_pthread_key_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_sa_family_t.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLPixelFormat.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/float.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/stat.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_act.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVisualEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMotionEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIBlurEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVibrancyEffect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/NSObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSManagedObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecProtocolObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/HeapObject.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/object.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/object.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/select.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_select.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_inspect.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrderedSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderMaterializedSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFCharacterSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSCharacterSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSIndexSet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/ShareSheet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActionSheet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Target.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFSocket.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/socket.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/arpa/inet.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/lock_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_seek_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/processor_set.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSDataAsset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageAsset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_isset.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/wait.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/bsm/audit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ulimit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUnit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_init.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_inherit.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentStoreResult.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSTextCheckingResult.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_s_ifmt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGradient.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenuElement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibilityElement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSMeasurement.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationAttachment.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSTextAttachment.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIManagedDocument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLArgument.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dirent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/dirent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationContent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPressesEvent.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/event.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFocusMovementHint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_int.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSLayoutConstraint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/SwiftStdint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/stdint.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CTFont.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/RefCount.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/mount.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_reboot.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/vm_prot.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/getopt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlert.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/assert.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMessagePort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFMachPort.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_u_short.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/port.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_port.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/FoundationShimSupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverSupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFProxySupport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecureTransport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecImportExport.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSURLRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentHistoryChangeRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSPersistentStoreRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSBatchUpdateRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSBatchDeleteRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSFetchRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSSaveChangesRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSBatchInsertRequest.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFPropertyList.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPropertyList.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_va_list.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Headers/CFHost.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/mach_host.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/kdebug_signpost.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecTrust.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewCompositionalLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewTransitionLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionViewFlowLayout.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextInput.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFStringEncodingExt.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSText.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES1/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES2/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/ES3/glext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CIContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIOpenURLContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSExtensionContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGBitmapContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSManagedObjectContext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/i386/_mcontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/machine/_mcontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/ucontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_ucontext.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIMenu.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/net/net_kev.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_priv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_priv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/fenv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/iconv.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWebView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPopoverBackgroundView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIImageView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIStackView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIScrollView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UICollectionView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIPickerView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITableViewHeaderFooterView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivityIndicatorView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIProgressView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIVisualEffectView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAlertView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIInputView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITextView.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITargetedPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIDragPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UITargetedDragPreview.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/NSShadow.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIWindow.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/ftw.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/_regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_regex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/complex.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/utmpx.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/lctx.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSPointerArray.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecPolicy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSMergePolicy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/NSEntityMigrationPolicy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/sync_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/thread_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/task_policy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecKey.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/notify.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_notify.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSOrthography.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/clock_reply.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_types/_fd_copy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGPDFDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSDictionary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/MTLLibrary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/monetary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/xlocale/_monetary.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Headers/NSFileProviderSearchQuery.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIContentSizeCategory.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UNNotificationCategory.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CGGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIGeometry.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFAvailability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLESAvailability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/os/availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/sys/_posix_availability.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/Visibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIAccessibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/FoundationLegacySwiftCompatibility.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/Security.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Headers/CFFileSecurity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach/host_security.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/SecIdentity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIUserActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSUserActivity.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/NSProxy.h /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/mach-o/module.map /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/libxml2/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/simd/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/unicode/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/dispatch/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/CommonCrypto/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/ImageIO.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/IOSurface.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CFNetwork.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreFoundation.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreVideo.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/FileProvider.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Modules/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/lib/swift/shims/module.modulemap /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/objc/ObjectiveC.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/OpenGLES.framework/Headers/OpenGLES.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreData.framework/Headers/CoreData.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreImage.framework/Headers/CoreImage.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/QuartzCore.framework/Headers/QuartzCore.apinotes /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/apinotes/Dispatch.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Metal.framework/Headers/Metal.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/usr/include/Darwin.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Foundation.framework/Headers/Foundation.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreGraphics.framework/Headers/CoreGraphics.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UserNotifications.framework/Headers/UserNotifications.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/UIKit.framework/Headers/UIKit.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/CoreText.framework/Headers/CoreText.apinotes /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator13.2.sdk/System/Library/Frameworks/Security.framework/Headers/Security.apinotes
D
func void evt_teleportstation_func() { Wld_PlayEffect("spellFX_Teleport_RING",hero,hero,0,0,0,FALSE); Snd_Play("MFX_TELEPORT_CAST"); Npc_ClearAIQueue(hero); SCUsed_TELEPORTER = TRUE; if(CurrentLevel == NEWWORLD_ZEN) { if(Npc_GetDistToWP(hero,"NW_TELEPORTSTATION_CITY") < 3000) { AI_Teleport(hero,"NW_TELEPORTSTATION_TAVERNE"); if(SCUsed_NW_TELEPORTSTATION_CITY == FALSE) { Log_CreateTopic(TOPIC_Addon_TeleportsNW,LOG_MISSION); Log_SetTopicStatus(TOPIC_Addon_TeleportsNW,LOG_Running); B_LogEntry(TOPIC_Addon_TeleportsNW,"Teleportační kámen v jeskyni východně od města vede do hostince 'U Mrtvé harpyje'."); }; SCUsed_NW_TELEPORTSTATION_CITY = TRUE; } else if(Npc_GetDistToWP(hero,"NW_TELEPORTSTATION_TAVERNE") < 3000) { AI_Teleport(hero,"NW_TELEPORTSTATION_MAYA"); if(SCUsed_NW_TELEPORTSTATION_TAVERNE == FALSE) { Log_CreateTopic(TOPIC_Addon_TeleportsNW,LOG_MISSION); Log_SetTopicStatus(TOPIC_Addon_TeleportsNW,LOG_Running); B_LogEntry(TOPIC_Addon_TeleportsNW,"Teleportační kámen u hostince 'U Mrtvé harpyje' vede k portálu ve starobylých ruinách."); }; SCUsed_NW_TELEPORTSTATION_TAVERNE = TRUE; } else if(Npc_GetDistToWP(hero,"NW_TELEPORTSTATION_MAYA") < 3000) { AI_Teleport(hero,"NW_TELEPORTSTATION_CITY"); if(SCUsed_NW_TELEPORTSTATION_MAYA == FALSE) { Log_CreateTopic(TOPIC_Addon_TeleportsNW,LOG_MISSION); Log_SetTopicStatus(TOPIC_Addon_TeleportsNW,LOG_Running); B_LogEntry(TOPIC_Addon_TeleportsNW,"Teleportační kámen v síních Stavitelů vede do jeskyně východně od města."); }; SCUsed_NW_TELEPORTSTATION_MAYA = TRUE; } else { AI_Teleport(hero,"MARKT"); }; if((SCUsed_NW_TELEPORTSTATION_MAYA == TRUE) && (SCUsed_NW_TELEPORTSTATION_TAVERNE == TRUE) && (SCUsed_NW_TELEPORTSTATION_CITY == TRUE) && (SCUsed_AllNWTeleporststones == FALSE)) { SCUsed_AllNWTeleporststones = TRUE; B_GivePlayerXP(XP_Addon_AllNWTeleporststones); }; } else if(CurrentLevel == ADDONWORLD_ZEN) { if(Hlp_StrCmp(Npc_GetNearestWP(hero),"ADW_ENTRANCE_TELEPORT_NORTH_WP")) { AI_Teleport(hero,"ADW_PORTALTEMPEL_TELEPORTSTATION"); if(SCUsed_ADW_TELEPORTSTATION_PORTALTEMPEL == FALSE) { Log_CreateTopic(TOPIC_Addon_TeleportsADW,LOG_MISSION); Log_SetTopicStatus(TOPIC_Addon_TeleportsADW,LOG_Running); B_LogEntry(TOPIC_Addon_TeleportsADW,"Aktivoval jsem teleportační kámen blízko portálu, co vede do Khorinisu."); B_GivePlayerXP(XP_Ambient); }; SCUsed_ADW_TELEPORTSTATION_PORTALTEMPEL = TRUE; } else if(Hlp_StrCmp(Npc_GetNearestWP(hero),"ADW_ENTRANCE_TELEPORT_EAST_WP")) { AI_Teleport(hero,"ADW_ADANOSTEMPEL_TELEPORTSTATION"); if(SCUsed_ADW_TELEPORTSTATION_ADANOSTEMPEL == FALSE) { Log_CreateTopic(TOPIC_Addon_TeleportsADW,LOG_MISSION); Log_SetTopicStatus(TOPIC_Addon_TeleportsADW,LOG_Running); B_LogEntry(TOPIC_Addon_TeleportsADW,"Dokázal jsem aktivovat teleportační kámen v táboře banditů."); B_GivePlayerXP(XP_Ambient); }; SCUsed_ADW_TELEPORTSTATION_ADANOSTEMPEL = TRUE; } else if(Hlp_StrCmp(Npc_GetNearestWP(hero),"ADW_ENTRANCE_TELEPORT_SOUTHEAST_WP")) { AI_Teleport(hero,"ADW_SOUTHEAST_TELEPORTSTATION"); if(SCUsed_ADW_TELEPORTSTATION_SOUTHEAST == FALSE) { Log_CreateTopic(TOPIC_Addon_TeleportsADW,LOG_MISSION); Log_SetTopicStatus(TOPIC_Addon_TeleportsADW,LOG_Running); B_LogEntry(TOPIC_Addon_TeleportsADW,"Aktivoval jsem teleportační kámen na jih od tábora banditů v bažinách."); B_GivePlayerXP(XP_Ambient); }; SCUsed_ADW_TELEPORTSTATION_SOUTHEAST = TRUE; } else if(Hlp_StrCmp(Npc_GetNearestWP(hero),"ADW_ENTRANCE_TELEPORT_SOUTHWEST_WP")) { AI_Teleport(hero,"ADW_SOUTHWEST_TELEPORTSTATION"); if(SCUsed_ADW_TELEPORTSTATION_SOUTHWEST == FALSE) { Log_CreateTopic(TOPIC_Addon_TeleportsADW,LOG_MISSION); Log_SetTopicStatus(TOPIC_Addon_TeleportsADW,LOG_Running); B_LogEntry(TOPIC_Addon_TeleportsADW,"Našel jsem teleportační kámen na jihozápadě."); B_GivePlayerXP(XP_Ambient); }; SCUsed_ADW_TELEPORTSTATION_SOUTHWEST = TRUE; } else if(Hlp_StrCmp(Npc_GetNearestWP(hero),"ADW_ENTRANCE_TELEPORT_WEST_WP")) { AI_Teleport(hero,"ADW_PIRATES_TELEPORTSTATION"); if(SCUsed_ADW_TELEPORTSTATION_PIRATES == FALSE) { Log_CreateTopic(TOPIC_Addon_TeleportsADW,LOG_MISSION); Log_SetTopicStatus(TOPIC_Addon_TeleportsADW,LOG_Running); B_LogEntry(TOPIC_Addon_TeleportsADW,"Aktivoval jsem teleportační kámen v kaňonu."); B_GivePlayerXP(XP_Ambient); }; if((MIS_KrokoJagd == LOG_SUCCESS) && (SCUsed_ADW_TELEPORTSTATION_PIRATES_JACKSMONSTER == FALSE)) { Wld_InsertNpc(Gobbo_Black,"ADW_PIRATECAMP_WATERHOLE_GOBBO"); Wld_InsertNpc(Gobbo_Black,"ADW_PIRATECAMP_WATERHOLE_GOBBO"); Wld_InsertNpc(Giant_DesertRat,"ADW_CANYON_PATH_TO_MINE1_05"); Wld_InsertNpc(Giant_DesertRat,"ADW_CANYON_PATH_TO_MINE1_05"); Wld_InsertNpc(Blattcrawler,"ADW_CANYON_TELEPORT_PATH_07"); Wld_InsertNpc(Blattcrawler,"ADW_CANYON_TELEPORT_PATH_07"); SCUsed_ADW_TELEPORTSTATION_PIRATES_JACKSMONSTER = TRUE; }; SCUsed_ADW_TELEPORTSTATION_PIRATES = TRUE; } else if(Hlp_StrCmp(Npc_GetNearestWP(hero),"ADW_ADANOSTEMPEL_RAVENTELEPORT_OUT")) { AI_Teleport(hero,"ADW_ADANOSTEMPEL_TELEPORTSTATION"); if(SCUsed_ADW_TELEPORTSTATION_RAVENTELEPORT_OUT == FALSE) { }; SCUsed_ADW_TELEPORTSTATION_RAVENTELEPORT_OUT = TRUE; } else { AI_Teleport(hero,"ADW_ENTRANCE"); }; }; }; var int TriggeredTeleporterADW; var int ADW_PORTALTEMPEL_FOCUS_FUNC_OneTime; func void adw_portaltempel_focus_func() { Npc_RemoveInvItems(hero,ItMi_Focus,1); TriggeredTeleporterADW = TriggeredTeleporterADW + 1; Snd_Play("MFX_TELEKINESIS_STARTINVEST"); if(TriggeredTeleporterADW >= 5) { SC_ADW_ActivatedAllTelePortStones = TRUE; }; if((ADW_PORTALTEMPEL_FOCUS_FUNC_OneTime == FALSE) && (Npc_GetDistToWP(hero,"ADW_PORTALTEMPEL_TELEPORTSTATION") < 3000)) { if((Npc_IsDead(Stoneguardian_NailedPortalADW1) == FALSE) && (Stoneguardian_NailedPortalADW1.aivar[AIV_EnemyOverride] == TRUE)) { Snd_Play("THRILLJINGLE_02"); }; b_awake_stoneguardian(Stoneguardian_NailedPortalADW1); ADW_PORTALTEMPEL_FOCUS_FUNC_OneTime = TRUE; }; }; var int adw_golddragon_focus_func_onetime; func void adw_golddragon_focus_func() { if(adw_golddragon_focus_func_onetime == FALSE) { Npc_RemoveInvItems(hero,ITMI_DRAGONGOLDFOCUS,1); Snd_Play("MFX_TELEKINESIS_STARTINVEST"); adw_golddragon_focus_func_onetime = TRUE; ADW_GOLDDRAGON_ENTER = TRUE; }; }; func void evt_teleportstation_golddragon_in_func() { if(ADW_GOLDDRAGON_ENTER == TRUE) { Wld_PlayEffect("spellFX_Teleport_RING",hero,hero,0,0,0,FALSE); Snd_Play("MFX_TELEPORT_CAST"); Npc_ClearAIQueue(hero); AI_Teleport(hero,"ADW_ENTRANCE_TELEPORT_GOLDDRAGON"); }; }; func void evt_teleportstation_golddragon_out_func() { if(ADW_GOLDDRAGON_ENTER == TRUE) { Wld_PlayEffect("spellFX_Teleport_RING",hero,hero,0,0,0,FALSE); Snd_Play("MFX_TELEPORT_CAST"); Npc_ClearAIQueue(hero); AI_Teleport(hero,"ADW_ENTRANCE_TELEPORT_GOLDDRAGON_IN"); if(SATURASKNOWSASHTAR == TRUE) { SATURASKNOWSASHTAR = FALSE; Npc_ExchangeRoutine(KDW_14000_Addon_Saturas_ADW,"GoldDragon"); }; if((TASKFINDSPHERE == TRUE) && (Npc_HasItems(hero,itmi_fireshpere) >= 1) && (Npc_HasItems(hero,itmi_watershpere) >= 1) && (Npc_HasItems(hero,itmi_stoneshpere) >= 1) && (Npc_HasItems(hero,itmi_darkshpere) >= 1) && (SATURASAWAYASHTAR == FALSE)) { SATURASAWAYASHTAR = TRUE; if(Kapitel >= 4) { Npc_ExchangeRoutine(KDW_14000_Addon_Saturas_ADW,"OrcInvasion"); } else { Npc_ExchangeRoutine(KDW_14000_Addon_Saturas_ADW,"Start"); }; }; }; }; func void event_portalgate_func() { }; func void event_orc_portal_gate_open_func() { if((ORCCITY_PORTAL1_FOCUS_FUNC_ONETIME == TRUE) && (ORCCITY_PORTAL2_FOCUS_FUNC_ONETIME == TRUE) && (ORCCITY_TWOPORTAL_OPEN == FALSE)) { Wld_PlayEffect("FX_EarthQuake",hero,hero,0,0,0,FALSE); Snd_Play("MFX_FEAR_CAST"); ORCCITY_TWOPORTAL_OPEN = TRUE; Wld_SendTrigger("EVENT_PORTALGATE"); }; }; func void orccity_portal1_focus_func() { if((orccity_portal1_focus_func_onetime == FALSE) && (ORCCITY_TWOPORTAL_OPEN == FALSE)) { Npc_RemoveInvItems(hero,itmi_1_orcportalstone,1); orccity_portal1_focus_func_onetime = TRUE; Snd_Play("MFX_TELEKINESIS_STARTINVEST"); }; }; func void orccity_portal2_focus_func() { if((orccity_portal2_focus_func_onetime == FALSE) && (ORCCITY_TWOPORTAL_OPEN == FALSE)) { Npc_RemoveInvItems(hero,itmi_2_orcportalstone,1); orccity_portal2_focus_func_onetime = TRUE; Snd_Play("MFX_TELEKINESIS_STARTINVEST"); }; }; func void event_keltuzedawake_func() { if(TUZEDSWITCH == FALSE) { Wld_PlayEffect("FX_EarthQuake",hero,hero,0,0,0,FALSE); Snd_Play("MFX_FEAR_CAST"); AI_Wait(hero,3); Wld_InsertNpc(skeleton_lord_keltuzed,"FP_STAND_DEADKING_05"); Wld_InsertNpc(skeleton_knight_death_01,"FP_STAND_DEADKING_04"); Wld_InsertNpc(skeleton_knight_death_02,"FP_STAND_DEADKING_03"); Wld_InsertNpc(skeleton_knight_death_03,"FP_STAND_DEADKING_02"); Wld_InsertNpc(skeleton_knight_death_04,"FP_STAND_DEADKING_01"); TUZEDSWITCH = TRUE; }; }; func void evt_li_teleport_down_func() { Wld_PlayEffect("spellFX_Teleport_RING",hero,hero,0,0,0,FALSE); Snd_Play("MFX_TELEPORT_CAST"); Npc_ClearAIQueue(hero); AI_Teleport(hero,"LI_TELEPORT_02"); }; func void evt_li_teleport_up_func() { Wld_PlayEffect("spellFX_Teleport_RING",hero,hero,0,0,0,FALSE); Snd_Play("MFX_TELEPORT_CAST"); Npc_ClearAIQueue(hero); AI_Teleport(hero,"LI_TELEPORT_01"); }; func void evt_teleport_darktower_func() { Wld_PlayEffect("spellFX_Teleport_RING",hero,hero,0,0,0,FALSE); Snd_Play("MFX_TELEPORT_CAST"); Npc_ClearAIQueue(hero); AI_Teleport(hero,"NW_DARKTOWER_UP"); };
D
/Users/yuhuan/work/proj/swift/example-package-fisheryates/.build/debug/FisherYates.build/Random.swift.o : /Users/yuhuan/work/proj/swift/example-package-fisheryates/Sources/Fisher-Yates_Shuffle.swift /Users/yuhuan/work/proj/swift/example-package-fisheryates/Sources/Random.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Users/yuhuan/work/proj/swift/example-package-fisheryates/.build/debug/FisherYates.build/Random~partial.swiftmodule : /Users/yuhuan/work/proj/swift/example-package-fisheryates/Sources/Fisher-Yates_Shuffle.swift /Users/yuhuan/work/proj/swift/example-package-fisheryates/Sources/Random.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule /Users/yuhuan/work/proj/swift/example-package-fisheryates/.build/debug/FisherYates.build/Random~partial.swiftdoc : /Users/yuhuan/work/proj/swift/example-package-fisheryates/Sources/Fisher-Yates_Shuffle.swift /Users/yuhuan/work/proj/swift/example-package-fisheryates/Sources/Random.swift /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Swift.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/SwiftOnoneSupport.swiftmodule /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/macosx/x86_64/Darwin.swiftmodule
D
a United States unit of weight equivalent to 2000 pounds a British unit of weight equivalent to 2240 pounds
D
alias uint U; import std.stdio; import lib.pointsettype; import lib.integral; import std.string; import std.math; alias log2 lg; auto f(real[] x) { import std.algorithm; return (x.reduce!((a, b) => a + b)() * -2).exp(); } auto I(size_t dimension) { immutable I1 = (-2).expm1() / -2; real s = dimension; return I1 ^^ s; } void main() { foreach (line; stdin.byLine()) { auto P = line.fromString!U(); "%s,%.15f".writefln(line.strip(), (P.bintegral!f() - P.dimensionR.I()).abs().lg()); } }
D
module bio.std.sff.index; struct IndexLocation { ulong offset; uint length; }
D
/** * Contains TelegramInputMediaDocument */ module tg.types.telegram_input_media_document; import tg.core.type, tg.core.exception, tg.core.array; import std.json, tg.type; /** * Represents a general file to be sent. */ class TelegramInputMediaDocument : TelegramType { /** * Creates new type object */ nothrow pure public this () @safe { _type = ""; _media = ""; _thumb = ""; _caption = ""; _parse_mode = ""; _caption_entities = null; _disable_content_type_detection = false; } /** Add constructor with data init from response */ mixin(TelegramTypeConstructor); override public void setFromJson (JSONValue data) { if ( "type" !in data ) throw new TelegramException("Could not find reqired entry : type"); _type = data["type"].str(); if ( "media" !in data ) throw new TelegramException("Could not find reqired entry : media"); _media = data["media"].str(); if ( "thumb" in data ) _thumb = data["thumb"].str(); if ( "caption" in data ) _caption = data["caption"].str(); if ( "parse_mode" in data ) _parse_mode = data["parse_mode"].str(); if ( "caption_entities" in data ) _caption_entities = toTelegram!TelegramMessageEntity(data["caption_entities"]); if ( "disable_content_type_detection" in data ) _disable_content_type_detection = data["disable_content_type_detection"].boolean(); } override public JSONValue getAsJson () { JSONValue data = parseJSON(""); data["type"] = _type; data["media"] = _media; if ( _thumb != "" ) data["thumb"] = _thumb; if ( _caption != "" ) data["caption"] = _caption; if ( _parse_mode != "" ) data["parse_mode"] = _parse_mode; if ( _caption_entities !is null ) data["caption_entities"] = _caption_entities.getAsJson(); data["disable_content_type_detection"] = _disable_content_type_detection; return data; } /** Type of the result, must be <em>document</em> */ private string _type; /** * Getter for '_type' * Returns: Current value of '_type' */ @property string type () { return _type; } /** * Setter for '_type' * Params: typeNew = New value of '_type' * Returns: New value of '_type' */ @property string type ( string typeNew ) { return _type = typeNew; } /** File to send. Pass a file_id to send a file that exists on the Telegram servers (recommended), pass an HTTP URL for Telegram to get a file from the Internet, or pass &#8220;attach://&lt;file_attach_name&gt;&#8221; to upload a new one using multipart/form-data under &lt;file_attach_name&gt; name. More info on Sending Files &#187; */ private string _media; /** * Getter for '_media' * Returns: Current value of '_media' */ @property string media () { return _media; } /** * Setter for '_media' * Params: mediaNew = New value of '_media' * Returns: New value of '_media' */ @property string media ( string mediaNew ) { return _media = mediaNew; } /** <em>Optional</em>. Thumbnail of the file sent; can be ignored if thumbnail generation for the file is supported server-side. The thumbnail should be in JPEG format and less than 200 kB in size. A thumbnail's width and height should not exceed 320. Ignored if the file is not uploaded using multipart/form-data. Thumbnails can't be reused and can be only uploaded as a new file, so you can pass &#8220;attach://&lt;file_attach_name&gt;&#8221; if the thumbnail was uploaded using multipart/form-data under &lt;file_attach_name&gt;. More info on Sending Files &#187; */ private string _thumb; /** * Getter for '_thumb' * Returns: Current value of '_thumb' */ @property string thumb () { return _thumb; } /** * Setter for '_thumb' * Params: thumbNew = New value of '_thumb' * Returns: New value of '_thumb' */ @property string thumb ( string thumbNew ) { return _thumb = thumbNew; } /** <em>Optional</em>. Caption of the document to be sent, 0-1024 characters after entities parsing */ private string _caption; /** * Getter for '_caption' * Returns: Current value of '_caption' */ @property string caption () { return _caption; } /** * Setter for '_caption' * Params: captionNew = New value of '_caption' * Returns: New value of '_caption' */ @property string caption ( string captionNew ) { return _caption = captionNew; } /** <em>Optional</em>. Mode for parsing entities in the document caption. See formatting options for more details. */ private string _parse_mode; /** * Getter for '_parse_mode' * Returns: Current value of '_parse_mode' */ @property string parseMode () { return _parse_mode; } /** * Setter for '_parse_mode' * Params: parseModeNew = New value of '_parse_mode' * Returns: New value of '_parse_mode' */ @property string parseMode ( string parseModeNew ) { return _parse_mode = parseModeNew; } /** <em>Optional</em>. List of special entities that appear in the caption, which can be specified instead of <em>parse_mode</em> */ private TelegramMessageEntity[] _caption_entities; /** * Getter for '_caption_entities' * Returns: Current value of '_caption_entities' */ @property TelegramMessageEntity[] captionEntities () { return _caption_entities; } /** * Setter for '_caption_entities' * Params: captionEntitiesNew = New value of '_caption_entities' * Returns: New value of '_caption_entities' */ @property TelegramMessageEntity[] captionEntities ( TelegramMessageEntity[] captionEntitiesNew ) { return _caption_entities = captionEntitiesNew; } /** <em>Optional</em>. Disables automatic server-side content type detection for files uploaded using multipart/form-data. Always true, if the document is sent as part of an album. */ private bool _disable_content_type_detection; /** * Getter for '_disable_content_type_detection' * Returns: Current value of '_disable_content_type_detection' */ @property bool disableContentTypeDetection () { return _disable_content_type_detection; } /** * Setter for '_disable_content_type_detection' * Params: disableContentTypeDetectionNew = New value of '_disable_content_type_detection' * Returns: New value of '_disable_content_type_detection' */ @property bool disableContentTypeDetection ( bool disableContentTypeDetectionNew ) { return _disable_content_type_detection = disableContentTypeDetectionNew; } }
D
module dub.version_; enum dubVersion = "v1.26.1-beta.1";
D
instance DMT_1212_DAGOT_EXIT(C_Info) { npc = dmt_1212_dagot; nr = 999; condition = dmt_1212_dagot_exit_condition; information = dmt_1212_dagot_exit_info; important = FALSE; permanent = TRUE; description = Dialog_Ende; }; func int dmt_1212_dagot_exit_condition() { return TRUE; }; func void dmt_1212_dagot_exit_info() { AI_StopProcessInfos(self); }; instance DMT_1212_DAGOT_HELLO(C_Info) { npc = dmt_1212_dagot; condition = dmt_1212_dagot_hello_condition; information = dmt_1212_dagot_hello_info; important = TRUE; permanent = FALSE; }; func int dmt_1212_dagot_hello_condition() { if((Npc_KnowsInfo(other,DIA_Xardas_FirstEXIT) == TRUE) && (Npc_IsInState(self,ZS_Talk) == TRUE)) { return TRUE; }; }; func void dmt_1212_dagot_hello_info() { B_GivePlayerXP(100); AI_Output(self,other,"DMT_1212_Dagot_Hello_01"); //Я так понимаю, что это ты изгнал Спящего из этого мира? AI_Output(other,self,"DMT_1212_Dagot_Hello_02"); //Да, это был я. AI_Output(self,other,"DMT_1212_Dagot_Hello_03"); //Ксардас много о тебе рассказывал. Немногим героям этого мира удавались подобные вещи! AI_Output(other,self,"DMT_1212_Dagot_Hello_04"); //Кто ты? И что здесь делаешь, в башне Ксардаса? AI_Output(self,other,"DMT_1212_Dagot_Hello_05"); //Я - Дагот, один из девяти Хранителей священных Чертогов Вакхана. AI_Output(other,self,"DMT_1212_Dagot_Hello_07"); //Ты тоже некромант и заклинатель демонов, как и Ксардас? AI_Output(self,other,"DMT_1212_Dagot_Hello_08"); //Если ты имеешь в виду то, что я наделен теми же способностями и могущественной властью рун, дарованной Белиаром, как и Ксардас, - да. AI_Output(self,other,"DMT_1212_Dagot_Hello_10"); //Но Ксардас только начинает делать первые шаги этого пути, тогда как мы - Хранители - уже давно следуем ему. AI_Output(self,other,"DMT_1212_Dagot_Hello_11"); //Наш путь - это наша жизнь и смысл нашего пребывания в этом мире. AI_Output(other,self,"DMT_1212_Dagot_Hello_12"); //А что это за путь? AI_Output(self,other,"DMT_1212_Dagot_Hello_13"); //Путь Хранителя. Его смысл нельзя понять и ему нельзя дать определение словом. Это твоя сущность, твой внутренний мир, твоя судьба! AI_Output(self,other,"DMT_1212_Dagot_Hello_14"); //Каждому живому существу предопределен свой путь, которому он будет следовать всю свою жизнь - от рождения до смерти. AI_Output(other,self,"DMT_1212_Dagot_Hello_15"); //А какой мой путь? AI_Output(self,other,"DMT_1212_Dagot_Hello_16"); //Это сейчас тебя волновать не должно. Как и причина моего пребывания здесь. AI_Output(other,self,"DMT_1212_Dagot_Hello_18"); //А какому божеству служат Хранители? Я очень сильно сомневаюсь, что те, кто обладает могуществом черной магии, служат богам. AI_Output(self,other,"DMT_1212_Dagot_Hello_19"); //Хранители никому не служат. Их цель - хранить баланс этого мира от разрушительного действия того же Белиара, Инноса или Аданоса! AI_Output(other,self,"DMT_1212_Dagot_Hello_20"); //Аданоса?! А разве этот бог сам не являет собой цель сохранения баланса между своими братьями? AI_Output(self,other,"DMT_1212_Dagot_Hello_22"); //Послушай: неважно, с чем ассоциируется божество - с багровой тьмой Белиара, священным светом Инноса или мудрыми водами Аданоса... AI_Output(self,other,"DMT_1212_Dagot_Hello_23"); //Их пути, несмотря на цели, не могут принести тот результат, при котором достигается состояние равновесия этого мира в целом, ибо... AI_Output(self,other,"DMT_1212_Dagot_Hello_24"); //...не бывает добра без зла, как не бывает зла без добра, как и не бывает середины без начала и конца! AI_Output(self,other,"DMT_1212_Dagot_Hello_25"); //Каждая сила своим вмешательством в этот мир нарушает всю сущность священного баланса... AI_Output(self,other,"DMT_1212_Dagot_Hello_26"); //...как нарушил ее Белиар, позволив Спящему прийти в этот мир... AI_Output(self,other,"DMT_1212_Dagot_Hello_27"); //...или как нарушил ее Иннос, уничтожив с помощью своих паладинов великие Чертоги Зверя... AI_Output(self,other,"DMT_1212_Dagot_Hello_28"); //...или как нарушил ее Аданос, уничтожив все творения своих братьев вместе с тем, что он считал злом. AI_Output(self,other,"DMT_1212_Dagot_Hello_29"); //Путь Хранителей проложен как между каждым из этих путей, так и между их общего пути в целом. AI_Output(self,other,"DMT_1212_Dagot_Hello_30"); //Если ты сумеешь понять все это - возможно, ты сможешь сам встать на этот путь. AI_Output(other,self,"DMT_1212_Dagot_Hello_31"); //То есть ты хочешь сказать, что я тоже смогу стать Хранителем? AI_Output(self,other,"DMT_1212_Dagot_Hello_32"); //Возможно, но сейчас слишком рано говорить об этом. AI_Output(other,self,"DMT_1212_Dagot_Hello_33"); //А что такое Чертоги Вакхана? Я никогда о них не слышал. AI_Output(self,other,"DMT_1212_Dagot_Hello_34"); //Священные Чертоги Вакхана... Древние называли их 'Чертогами Хаоса'. Это место, где нет ничего, кроме пустоты... AI_Output(self,other,"DMT_1212_Dagot_Hello_35"); //...и силы, способной навсегда изменить облик этого мира! AI_Output(self,other,"DMT_1212_Dagot_Hello_36"); //И даже могущественные божества, такие, как Иннос, Белиар или Аданос, не смогут противостоять этой силе, если она придет в этот мир. AI_Output(self,other,"DMT_1212_Dagot_Hello_37"); //A мы - Хранители, стражи этих Чертогов, - призваны для того, чтобы сокрыть это место и ту тайну, что оно хранит тысячелетиями. AI_Output(other,self,"DMT_1212_Dagot_Hello_39"); //А что ты хочешь от меня сейчас? AI_Output(self,other,"DMT_1212_Dagot_Hello_40"); //Пока я только предлагаю тебе вступить на этот путь, герой. И я могу предложить тебе это только один раз! AI_Output(self,other,"DMT_1212_Dagot_Hello_41"); //После ты не сможешь изменить свое решение. Поэтому хорошо подумай, прежде чем дать мне ответ... AI_Output(self,other,"DMT_1212_Dagot_Hello_42"); //(властно) Итак, твой выбор? DAGOT_MEET = TRUE; XARDAS_SPEAKDAGOT = FALSE; GUARDIAN_WAY = FALSE; Info_ClearChoices(dmt_1212_dagot_hello); Info_AddChoice(dmt_1212_dagot_hello,"Нет, это слишком сложно для меня.",dmt_1212_dagot_hello_no); Info_AddChoice(dmt_1212_dagot_hello,"Я готов.",dmt_1212_dagot_hello_yes); }; func void dmt_1212_dagot_hello_yes() { AI_Output(other,self,"DMT_1212_Dagot_Hello_43"); //Я готов. Wld_PlayEffect("FX_EarthQuake",self,self,0,0,0,FALSE); GUARDIAN_WAY = TRUE; AI_Output(self,other,"DMT_1212_Dagot_Hello_44"); //Твое решение вписано в великую Книгу Судьбы! Возможно, ты даже не осознаешь, что сейчас сделал. AI_Output(self,other,"DMT_1212_Dagot_Hello_45"); //Хотя я не сомневался, что так и будет - ты выбрал путь Хранителя и вступил на него. AI_Output(other,self,"DMT_1212_Dagot_Hello_46"); //Что мне теперь делать? AI_Output(self,other,"DMT_1212_Dagot_Hello_47"); //Теперь ты можешь заняться своими мирскими делами. AI_Output(self,other,"DMT_1212_Dagot_Hello_48"); //Об остальном ты узнаешь позже. AI_Output(self,other,"DMT_1212_Dagot_Hello_49"); //Прощай! MIS_GUARDIANS = LOG_Running; Log_CreateTopic(TOPIC_GUARDIANS,LOG_MISSION); Log_SetTopicStatus(TOPIC_GUARDIANS,LOG_Running); B_LogEntry(TOPIC_GUARDIANS,"В башне Ксардаса я встретил одного из Хранителей - Дагота, древнего стража священных Чертогов Вакхана."); Log_AddEntry(TOPIC_GUARDIANS,"Я принял предложение Дагота вступить на путь Хранителя. После этого он неожиданно исчез. Наверное, это не последняя наша встреча. Надо посоветоваться с Ксардасом."); Info_ClearChoices(dmt_1212_dagot_hello); Info_AddChoice(dmt_1212_dagot_hello,"Эй, постой...(надо бы поговорить об этом с Ксардасом)",dmt_1212_dagot_endyes); }; func void dmt_1212_dagot_hello_no() { AI_Output(other,self,"DMT_1212_Dagot_Hello_50"); //Нет, это все слишком сложно для меня. Wld_PlayEffect("FX_EarthQuake",self,self,0,0,0,FALSE); AI_Output(self,other,"DMT_1212_Dagot_Hello_51"); //Твое решение вписано в великую Книгу Судьбы! Возможно, ты даже не осознаешь, что сейчас сделал. AI_Output(self,other,"DMT_1212_Dagot_Hello_52"); //Твой ответ сильно разочаровал меня. Но это означает, что именно так и должно было быть. AI_Output(self,other,"DMT_1212_Dagot_Hello_53"); //Больше мы никогда не встретимся. Прощай! GUARDIAN_WAY = FALSE; MIS_GUARDIANS = LOG_Running; Log_CreateTopic(TOPIC_GUARDIANS,LOG_MISSION); Log_SetTopicStatus(TOPIC_GUARDIANS,LOG_Running); B_LogEntry(TOPIC_GUARDIANS,"В башне Ксардаса я встретил одного из Хранителей - Дагота, древних стражей священных Чертогов Вакхана."); Log_AddEntry(TOPIC_GUARDIANS,"Я отказался от его предложения вступить на путь Хранителя. Больше мы никогда не встретимся. Надо посоветоваться с Ксардасом."); Info_ClearChoices(dmt_1212_dagot_hello); Info_AddChoice(dmt_1212_dagot_hello,"...(надо бы поговорить об этом с Ксардасом)",dmt_1212_dagot_endno); }; func void dmt_1212_dagot_endyes() { Npc_ExchangeRoutine(self,"WaitInSecretLab"); AI_StopProcessInfos(self); B_Attack(self,other,0,0); Wld_InsertNpc(Wisp,"NW_DMT_1212_DAGOT"); Wld_InsertNpc(Wisp,"NW_DMT_1213_MORIUS"); Wld_InsertNpc(Wisp,"NW_DMT_1214_TEGON"); Wld_InsertNpc(Wisp,"NW_DMT_1215_KELIOS"); Wld_InsertNpc(Wisp,"NW_DMT_1216_DEMOS"); Wld_InsertNpc(Wisp,"NW_DMT_1217_FARION"); Wld_InsertNpc(Wisp,"NW_DMT_1218_GADER"); Wld_InsertNpc(Wisp,"NW_DMT_1219_NARUS"); Wld_InsertNpc(Wisp,"NW_DMT_1220_WAKON"); Wld_InsertNpc(Wisp,"NW_DMT_1297_STONNOS"); }; func void dmt_1212_dagot_endno() { Npc_ExchangeRoutine(self,"WaitInSecretLab"); AI_StopProcessInfos(self); B_Attack(self,other,0,0); }; instance DMT_1212_DAGOT_HELLOTWO(C_Info) { npc = dmt_1212_dagot; condition = dmt_1212_dagot_hellotwo_condition; information = dmt_1212_dagot_hellotwo_info; important = TRUE; permanent = FALSE; }; func int dmt_1212_dagot_hellotwo_condition() { if((MIS_GUARDIANS == LOG_Running) && (XARDAS_SPEAKDAGOT == TRUE)) { return TRUE; }; }; func void dmt_1212_dagot_hellotwo_info() { AI_Output(self,other,"DMT_1212_Dagot_HelloTwo_00"); //Итак, твой путь привел тебя сюда. AI_Output(other,self,"DMT_1212_Dagot_HelloTwo_02"); //Как ты оказался здесь? AI_Output(self,other,"DMT_1212_Dagot_HelloTwo_04"); //Не стоит удивляться этому. Наша встреча была предопределена уже в тот момент, когда ты принял мое предложение. AI_Output(self,other,"DMT_1212_Dagot_HelloTwo_05"); //Раньше бы или позже это случилось - значения не имеет. Важен лишь тот факт, что это произошло и ты здесь. AI_Output(other,self,"DMT_1212_Dagot_HelloTwo_06"); //Ты ждал меня? Зачем? AI_Output(self,other,"DMT_1212_Dagot_HelloTwo_07"); //Мое присутствие тут, как и наша встреча, означает то, что пришло время тебе узнать больше о нас - Хранителях... AI_Output(self,other,"DMT_1212_Dagot_HelloTwo_08"); //...и сделать свой первый шаг навстречу твоей же судьбе. AI_Output(self,other,"DMT_1212_Dagot_HelloTwo_09"); //Ты готов? AI_Output(other,self,"DMT_1212_Dagot_HelloTwo_10"); //Да, мастер. AI_Output(self,other,"DMT_1212_Dagot_HelloTwo_11"); //Хорошо. Слушай меня внимательно... AI_Output(self,other,"DMT_1212_Dagot_HelloTwo_12"); //На восходе древних времен мир был погружен в хаос. Он не был похож на тот мир, что окружает тебя сейчас. AI_Output(self,other,"DMT_1212_Dagot_HelloTwo_13"); //В этом мире не было ничего - одна бесконечная пустота. В этом хаосе зародились четыре стихии - Земля, Вода, Камень и Огонь. AI_Output(self,other,"DMT_1212_Dagot_HelloTwo_14"); //Но в хаосе эти стихии несли одно лишь разрушение. И не было им покоя в своей вечной борьбе между собой. AI_Output(self,other,"DMT_1212_Dagot_HelloTwo_15"); //И все это привело бы к тому, что они бы сами себя уничтожили и канули в вечность... AI_Output(self,other,"DMT_1212_Dagot_HelloTwo_16"); //И поняли стихии: в мире, где правит Хаос, им нет места. И только избавившись от него, они смогут обрести покой. AI_Output(self,other,"DMT_1212_Dagot_HelloTwo_17"); //Тогда, придя на путь согласия между собой, стихии смогли изгнать Великий Хаос и заточить в том месте, где он был порожден... AI_Output(self,other,"DMT_1212_Dagot_HelloTwo_18"); //В Чертогах Вакхана... Навсегда сокрыв его от этого мира за священными вратами, наложив на них великую печать вечности. AI_Output(self,other,"DMT_1212_Dagot_HelloTwo_19"); //А для того, чтобы более никто не смог открыть эти врата, каждая стихия породило свое божество... AI_Output(self,other,"DMT_1212_Dagot_HelloTwo_20"); //Так в этот мир пришли четыре брата-божества... AI_Output(self,other,"DMT_1212_Dagot_HelloTwo_21"); //Иннос, порожденный пламенным Огнем, был первым из братьев... AI_Output(self,other,"DMT_1212_Dagot_HelloTwo_22"); //Вторым был Белиар, которого породила земная Тьма... AI_Output(self,other,"DMT_1212_Dagot_HelloTwo_23"); //Аданос стал божеством, которого породила Водная гладь... AI_Output(self,other,"DMT_1212_Dagot_HelloTwo_24"); //И четвертым из братьев стал Стоннос - божество, которое породила твердая Скала... AI_Output(self,other,"DMT_1212_Dagot_HelloTwo_25"); //И эти божества хранили тайну печати и то, что сокрыто ею. AI_Output(self,other,"DMT_1212_Dagot_HelloTwo_26"); //Но братья не смогли долго жить в согласии, поскольку каждый считал себя главным божеством, не принимая баланс равновесия стихий. AI_Output(self,other,"DMT_1212_Dagot_HelloTwo_27"); //И случилось так, что Белиар, поспорив со своим братом Стонносом, в отчаянной ярости убил его... AI_Output(self,other,"DMT_1212_Dagot_HelloTwo_28"); //И осталось их трое... Именно поэтому до времен людей не дошло имя четвертого божества, которому они бы сейчас поклонялись. AI_Output(self,other,"DMT_1212_Dagot_HelloTwo_29"); //Иннос, первый из братьев, осудил действия Белиара, и с тех пор братья возненавидели друг друга... AI_Output(self,other,"DMT_1212_Dagot_HelloTwo_30"); //Аданос же не принял ни сторону Инноса, ни сторону Белиара, а встал между ними, отождествив себя с мудрой серединой в их противостоянии. AI_Output(self,other,"DMT_1212_Dagot_HelloTwo_31"); //И забыли братья, зачем они были обращены в этот мир, что нельзя было делать. И чем больше разгоралась их борьба между собой... AI_Output(self,other,"DMT_1212_Dagot_HelloTwo_32"); //... тем больше слабела великая печать вечности, хранившая истинное зло. AI_Output(self,other,"DMT_1212_Dagot_HelloTwo_33"); //И явилась опасность того, что Хаос вновь овладеет этим миром и ввергнет всех в пустоту небытия. AI_Output(self,other,"DMT_1212_Dagot_HelloTwo_34"); //Тогда стихии, породившие эти божества, более не желавшие смотреть на их вражду и опасавшиеся появления в этом мире Хаоса... AI_Output(self,other,"DMT_1212_Dagot_HelloTwo_35"); //... словом силы велели каждому божеству создать трех Стражей от каждого... AI_Output(self,other,"DMT_1212_Dagot_HelloTwo_36"); //...дабы те, наделенные силой и мудростью своих создателей, хранили священный покой Чертогов Вакхана. AI_Output(self,other,"DMT_1212_Dagot_HelloTwo_37"); //Стихия же, лишившаяся своего созданного божества, сама создала одного стража, наделив его могуществом трех и по согласию остальных стихий... AI_Output(self,other,"DMT_1212_Dagot_HelloTwo_38"); //...чтоб более не было разногласия среди стражей, также как и между их создателями, поставила его во главе всех остальных. AI_Output(self,other,"DMT_1212_Dagot_HelloTwo_39"); //И так появилось девять Хранителей священного Круга Равновесия и Баланса, и главный Хранитель, владыка Вакханы и повелитель четырех стихий... AI_Output(self,other,"DMT_1212_Dagot_HelloTwo_40"); //... и до сих пор Хранители стоят на страже священных Чертогов. AI_Output(self,other,"DMT_1212_Dagot_HelloTwo_41"); //Этому миру были дарованы многие тысячелетия мира и спокойствия. AI_Output(self,other,"DMT_1212_Dagot_HelloTwo_42"); //Но вражда между Инносом и Белиаром росла с непреодолимой силой, и последствия этой вражды становились все ужаснее и ужаснее... AI_Output(self,other,"DMT_1212_Dagot_HelloTwo_43"); //И создал Иннос человека, и наделил его своей божественной силой, а Белиар создал зверя, даровав ему свою ярость и гнев... AI_Output(self,other,"DMT_1212_Dagot_HelloTwo_44"); //И так же, как и братья, человек и зверь начали войну друг против друга на Земле... AI_Output(self,other,"DMT_1212_Dagot_HelloTwo_45"); //И вскоре это братоубийственное противостояние стало угрожать этому миру в такой же степени, как и Хаос когда-то угрожал всему живому. AI_Output(other,self,"DMT_1212_Dagot_HelloTwo_46"); //А что сделал Аданос? Третий из братьев... AI_Output(self,other,"DMT_1212_Dagot_HelloTwo_47"); //Аданос же, видя, что не может примирить братьев своих, оградил свою священную вотчину от их разрушительной вражды... AI_Output(self,other,"DMT_1212_Dagot_HelloTwo_48"); //...И запретил он своим братьям сеять ужас и смерть там, где ни у Инноса, ни у Белиара не было власти - уничтожая все, что нарушало его священный покой. AI_Output(other,self,"DMT_1212_Dagot_HelloTwo_49"); //Ясно. А что можем сделать с этим? AI_Output(self,other,"DMT_1212_Dagot_HelloTwo_50"); //Мы - Хранители - в силах сохранить этот мир от разрушения, ведя его существование по пути равновесия и баланса сил. AI_Output(self,other,"DMT_1212_Dagot_HelloTwo_51"); //Поэтому наше вмешательство в божественный конфликт лишь несет цель не дать одной из сторон победить в этом противостоянии. AI_Output(self,other,"DMT_1212_Dagot_HelloTwo_52"); //Именно поэтому Ксардас смог разгадать загадку Спящего, тем самым сведя все усилия Белиара привести в этот мир одного из своих самых могущественных демонов на нет. AI_Output(self,other,"DMT_1212_Dagot_HelloTwo_53"); //Именно поэтому паладины Инноса не смогли уничтожить два оставшихся Чертога Ирдората, поскольку те просто исчезли. Стихии скрыли их от взора служителей Инноса. AI_Output(self,other,"DMT_1212_Dagot_HelloTwo_54"); //И именно поэтому гнев Аданоса не смог предотвратить приход в этот мир самых мощных артефактов древности, созданных его братьями. AI_Output(self,other,"DMT_1212_Dagot_HelloTwo_55"); //В этом и есть мудрость пути Хранителей, на который вступил и ты... AI_Output(other,self,"DMT_1212_Dagot_HelloTwo_56"); //Но как я смогу стать Хранителем, таким как ты? AI_Output(self,other,"DMT_1212_Dagot_HelloTwo_57"); //Естественно, ты не сможешь им стать, поскольку наше божественное происхождение не имеет ничего общего со смертными, подобными тебе. AI_Output(self,other,"DMT_1212_Dagot_HelloTwo_58"); //Но, как и у всех божеств в этом мире, - у нас, Хранителей, тоже есть последователи из сметрных, которые воплощают наши мысли и волю. AI_Output(self,other,"DMT_1212_Dagot_HelloTwo_59"); //Как паладины Инноса и маги Огня, как маги воды Аданоса и его кольцо, как слуги Белиара и все создания Тьмы - наши воины несут имя священного Круга Хранителей... AI_Output(self,other,"DMT_1212_Dagot_HelloTwo_60"); //...на своих устах и нашу веру в своих сердцах! AI_Output(self,other,"DMT_1212_Dagot_HelloTwo_61"); //Асгарды - воины стихий, такое они носят имя. Испокон веков они стояли на страже Хранителей и их великой тайны. AI_Output(self,other,"DMT_1212_Dagot_HelloTwo_62"); //И только избранные из них удостаивались чести носить имя Пророка - величайшего заклинателя четырех стихий, чье могущество было даровано священными знаниями Круга Хранителей. AI_Output(other,self,"DMT_1212_Dagot_HelloTwo_63"); //То есть мой путь - это путь воина стихий? AI_Output(self,other,"DMT_1212_Dagot_HelloTwo_64"); //До того чтобы стать великим воином стихий, тебе еще далеко. Ты только вступил на этот путь, не сделав и шага по нему. AI_Output(self,other,"DMT_1212_Dagot_HelloTwo_66"); //Прежде всего, ты должен быть удостоен чести носить имя адепта нашего Круга. AI_Output(other,self,"DMT_1212_Dagot_HelloTwo_67"); //Как я смогу удостоиться этой чести, мастер? AI_Output(self,other,"DMT_1212_Dagot_HelloTwo_68"); //Только сами Хранители могут решить - достоин ли ты носить его или нет. Каждый Хранитель даст тебе испытание, которое ты должен пройти. AI_Output(self,other,"DMT_1212_Dagot_HelloTwo_69"); //После того как ты получишь одобрение всех девяти Хранителей, ты должен будешь пройти Испытание Веры, и только пройдя его, ты будешь удостоен этой чести. AI_Output(other,self,"DMT_1212_Dagot_HelloTwo_70"); //А где мне искать Хранителей, мастер? AI_Output(self,other,"DMT_1212_Dagot_HelloTwo_71"); //(смеется) Не пытайся их искать - твой путь сам приведет тебя к ним, как привел тебя ко мне. AI_Output(self,other,"DMT_1212_Dagot_HelloTwo_72"); //Я буду первым Хранителем, чье испытание ты должен будешь пройти. AI_Output(self,other,"DMT_1212_Dagot_HelloTwo_73"); //И, получив мое согласие и одобрение, ты сможешь встретится со следующим из нас. AI_Output(self,other,"DMT_1212_Dagot_HelloTwo_74"); //Заручившись поддержкой всех Хранителей, ты будешь удостоен чести встретиться с главой нашего Круга - главным Хранителем, владыкой Вакхана. AI_Output(self,other,"DMT_1212_Dagot_HelloTwo_75"); //Он объяснит тебе, в чем заключается твое Испытание Веры... Но сейчас тебе еще до этого очень далеко... AI_Output(other,self,"DMT_1212_Dagot_HelloTwo_76"); //Я понял, мастер. AI_Output(self,other,"DMT_1212_Dagot_HelloTwo_77"); //Итак, ты готов принять мое испытание? MIS_GUARDIANSTEST = LOG_Running; Log_CreateTopic(TOPIC_GUARDIANSTEST,LOG_MISSION); Log_SetTopicStatus(TOPIC_GUARDIANSTEST,LOG_Running); B_LogEntry(TOPIC_GUARDIANSTEST,"Для того чтобы стать воином стихий, я должен соответствовать Кругу Хранителей. Каждый из них проверит мои силы и настойчивость. В конце предстоит Испытание Веры, которое предложит Главный Страж."); Log_AddEntry(TOPIC_GUARDIANSTEST,"Лишь после выполнения испытания одного из Хранителей я смогу предстать перед следующим."); Log_AddEntry(TOPIC_GUARDIANS,"В одной из пещер наши пути с Хранителем пересеклись вновь. Дагот поведал мне легенды прошлого. Я узнал о начале мира, о богах, о борьбе богов, о ненависти богов, о Хранителях. О священном Круге равновесия и баланса."); Log_AddEntry(TOPIC_GUARDIANS,"Дагот сказал мне, что ни один смертный не может стать Хранителем, и что мой путь - это путь воина стихий, Асгарда. Это цель, к которой я приду в конце своего пути."); Info_ClearChoices(dmt_1212_dagot_hellotwo); Info_AddChoice(dmt_1212_dagot_hellotwo,"Да, мастер. Я готов.",dmt_1212_dagot_hellotwo_test); }; func void dmt_1212_dagot_hellotwo_test() { Wld_PlayEffect("spellFX_INCOVATION_VIOLET",self,self,0,0,0,FALSE); Wld_PlayEffect("FX_EarthQuake",self,self,0,0,0,FALSE); Wld_PlayEffect("SFX_Circle",self,self,0,0,0,FALSE); AI_PlayAni(self,"T_PRACTICEMAGIC5"); AI_Output(other,self,"DMT_1212_Dagot_HelloTwo_78"); //Да, мастер. Я готов. AI_Output(self,other,"DMT_1212_Dagot_HelloTwo_79"); //Хорошо. Я - Дагот, первый Страж бога Белиара и седьмой Хранитель священных Чертогов Вакхана, - даю тебе твое первое испытание... AI_Output(self,other,"DMT_1212_Dagot_HelloTwo_80"); //Ты должен найти и уничтожить одного из древних демонов пламени Баала - Люциана. Принеси мне его сердце - и ты пройдешь мое испытание. AI_Output(other,self,"DMT_1212_Dagot_HelloTwo_81"); //Это будет нелегко. А где мне искать этого демона? AI_Output(self,other,"DMT_1212_Dagot_HelloTwo_82"); //Никто и не говорил, что выбранный тобой путь будет легкой прогулкой. Ты должен сам его найти. AI_Output(self,other,"DMT_1212_Dagot_HelloTwo_99"); //Но могу дать один совет. Если ты в чем-то сомневаешься, лучше вернуться к началу. AI_Output(self,other,"DMT_1212_Dagot_HelloTwo_83"); //Люциан - древнее создание, пришедшее еще со времен возникновения этого мира. Встреча с ним для простого смертного - почти то же самое, что верная смерть. AI_Output(self,other,"DMT_1212_Dagot_HelloTwo_84"); //Меня не волнует, как ты это сделаешь. Но без его сердца ты не сможешь получить мое согласие. AI_Output(other,self,"DMT_1212_Dagot_HelloTwo_85"); //Хорошо, я найду и уничтожу этого демона. AI_Output(self,other,"DMT_1212_Dagot_HelloTwo_86"); //Хорошо! Я буду ждать тебя здесь. AI_Output(self,other,"DMT_1212_Dagot_HelloTwo_87"); //(властно) И еще кое-что. AI_Output(self,other,"DMT_1212_Dagot_HelloTwo_88"); //Прими от меня это кольцо. Возможно, оно тебе пригодится. B_GiveInvItems(self,other,itri_guardians_01,1); AI_Output(self,other,"DMT_1212_Dagot_HelloTwo_89"); //Теперь ступай. MIS_DAGOTTEST = LOG_Running; Log_CreateTopic(TOPIC_DAGOTTEST,LOG_MISSION); Log_SetTopicStatus(TOPIC_DAGOTTEST,LOG_Running); B_LogEntry(TOPIC_DAGOTTEST,"Мое первое испытание дал мне Хранитель Дагот. Я должен уничтожить древнего демона Люциана и принести его сердце Даготу в качестве доказательства."); GUARDIAN_RING = FALSE; AI_StopProcessInfos(self); Wld_InsertNpc(XOR_12207_WARRIORNATURE,"NW_XARDAS_TOWER_VALLEY_09"); Wld_InsertNpc(luzian_demon,"NW_XARDAS_TOWER_SECRET_CAVE_04"); }; instance DMT_1212_DAGOT_LUZIAN(C_Info) { npc = dmt_1212_dagot; nr = 1; condition = dmt_1212_dagot_luzian_condition; information = dmt_1212_dagot_luzian_info; permanent = FALSE; description = "Я принес тебе сердце Люциана!"; }; func int dmt_1212_dagot_luzian_condition() { if((MIS_GUARDIANSTEST == LOG_Running) && (MIS_DAGOTTEST == LOG_Running) && (Npc_HasItems(other,itat_luzianheart) >= 1) && Npc_IsDead(luzian_demon)) { return TRUE; }; }; func void dmt_1212_dagot_luzian_info() { B_GivePlayerXP(100); AI_Output(other,self,"DMT_1212_Dagot_Luzian_00"); //Я принес тебе сердце Люциана! AI_Output(self,other,"DMT_1212_Dagot_Luzian_01"); //Покажи мне его. B_GiveInvItems(other,self,itat_luzianheart,1); AI_Output(self,other,"DMT_1212_Dagot_Luzian_02"); //Да, это его седрце! Ты доказал, что способен на многое, и не пал духом перед смертельной опасностью. MIS_DAGOTTEST = LOG_SUCCESS; Log_SetTopicStatus(TOPIC_DAGOTTEST,LOG_SUCCESS); B_LogEntry(TOPIC_DAGOTTEST,"Я принес сердце Люциана Хранителю Даготу, и тем самым прошел свое первое испытание."); Info_ClearChoices(dmt_1212_dagot_luzian); Info_AddChoice(dmt_1212_dagot_luzian,"Теперь ты дашь мне свое согласие, мастер?",dmt_1212_dagot_luzian_pass); }; func void dmt_1212_dagot_luzian_pass() { AI_Output(other,self,"DMT_1212_Dagot_Luzian_03"); //Теперь ты дашь мне свое согласие, мастер? Wld_PlayEffect("spellFX_INCOVATION_VIOLET",self,self,0,0,0,FALSE); Wld_PlayEffect("FX_EarthQuake",self,self,0,0,0,FALSE); Wld_PlayEffect("SFX_Circle",self,self,0,0,0,FALSE); AI_PlayAni(self,"T_PRACTICEMAGIC5"); AI_Output(self,other,"DMT_1212_Dagot_Luzian_04"); //Ты доказал, что достоин получить мое согласие. AI_Output(self,other,"DMT_1212_Dagot_Luzian_05"); //И ты получил его! AI_Output(self,other,"DMT_1212_Dagot_Luzian_06"); //Теперь ступай! Ищи следующего Хранителя - он даст тебе твое следующее испытание. AI_Output(self,other,"DMT_1212_Dagot_Luzian_07"); //Прощай. B_LogEntry(TOPIC_GUARDIANSTEST,"Я получил согласие Хранителя Дагота на принятие меня в Круг адептов. Теперь я должен искать следующего Хранителя и пройти свое следующее испытание."); DAGOT_AGREE = TRUE; B_RemoveNpc(XOR_12207_WARRIORNATURE); Info_ClearChoices(dmt_1212_dagot_luzian); Info_AddChoice(dmt_1212_dagot_luzian,"(закончить разговор)",dmt_1212_dagot_luzian_end); }; func void dmt_1212_dagot_luzian_end() { Npc_ExchangeRoutine(self,"WaitInSecretLab"); AI_StopProcessInfos(self); B_Attack(self,other,0,0); };
D
// Need std.array or std.range, for empty import std.stdio; import std.string; //import std.array: empty; import std.range: empty; void main() { string s; if (s.empty) writeln("Empty"); }
D
/home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/WebSockets.build/Model/WebSocket+Error.swift.o : /home/albertfega/Desktop/LaSalleChat/.build/checkouts/engine.git--7533756970564908605/Sources/WebSockets/Communication/WebSocket+Send.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/engine.git--7533756970564908605/Sources/WebSockets/Model/Frame.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/engine.git--7533756970564908605/Sources/WebSockets/Connection/WebSockets+Hash.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/engine.git--7533756970564908605/Sources/WebSockets/Model/Fragmentation.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/engine.git--7533756970564908605/Sources/WebSockets/Serialization/FrameSerializer.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/engine.git--7533756970564908605/Sources/WebSockets/Serialization/FrameDeserializer.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/engine.git--7533756970564908605/Sources/WebSockets/Model/WebSocket+Error.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/engine.git--7533756970564908605/Sources/WebSockets/Communication/WebSocket+ControlFrames.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/engine.git--7533756970564908605/Sources/WebSockets/Serialization/WebSockets+Flags.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/engine.git--7533756970564908605/Sources/WebSockets/WebSocketFormatErrors.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/engine.git--7533756970564908605/Sources/WebSockets/Connection/Headers+WebSockets.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/engine.git--7533756970564908605/Sources/WebSockets/Request+WebSockets.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/engine.git--7533756970564908605/Sources/WebSockets/Model/WebSocket.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/engine.git--7533756970564908605/Sources/WebSockets/Client/WebSocket+Client.swift /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/URI.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/HTTP.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/TLS.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/libc.swiftmodule /usr/lib/swift/linux/x86_64/Glibc.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Core.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Debugging.swiftmodule /usr/lib/swift/linux/x86_64/Dispatch.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Random.swiftmodule /usr/lib/swift/linux/x86_64/Foundation.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Crypto.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Sockets.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Bits.swiftmodule /usr/lib/swift/linux/x86_64/Swift.swiftmodule /usr/lib/swift/linux/x86_64/SwiftOnoneSupport.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Transport.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/checkouts/engine.git--7533756970564908605/Sources/CHTTP/include/http_parser.h /usr/lib/swift/linux/x86_64/glibc.modulemap /home/albertfega/Desktop/LaSalleChat/.build/checkouts/ctls.git--2818177660473049491/module.modulemap /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/CHTTP.build/module.modulemap /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/CSQLite.build/module.modulemap /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/WebSockets.build/WebSocket+Error~partial.swiftmodule : /home/albertfega/Desktop/LaSalleChat/.build/checkouts/engine.git--7533756970564908605/Sources/WebSockets/Communication/WebSocket+Send.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/engine.git--7533756970564908605/Sources/WebSockets/Model/Frame.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/engine.git--7533756970564908605/Sources/WebSockets/Connection/WebSockets+Hash.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/engine.git--7533756970564908605/Sources/WebSockets/Model/Fragmentation.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/engine.git--7533756970564908605/Sources/WebSockets/Serialization/FrameSerializer.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/engine.git--7533756970564908605/Sources/WebSockets/Serialization/FrameDeserializer.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/engine.git--7533756970564908605/Sources/WebSockets/Model/WebSocket+Error.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/engine.git--7533756970564908605/Sources/WebSockets/Communication/WebSocket+ControlFrames.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/engine.git--7533756970564908605/Sources/WebSockets/Serialization/WebSockets+Flags.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/engine.git--7533756970564908605/Sources/WebSockets/WebSocketFormatErrors.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/engine.git--7533756970564908605/Sources/WebSockets/Connection/Headers+WebSockets.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/engine.git--7533756970564908605/Sources/WebSockets/Request+WebSockets.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/engine.git--7533756970564908605/Sources/WebSockets/Model/WebSocket.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/engine.git--7533756970564908605/Sources/WebSockets/Client/WebSocket+Client.swift /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/URI.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/HTTP.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/TLS.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/libc.swiftmodule /usr/lib/swift/linux/x86_64/Glibc.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Core.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Debugging.swiftmodule /usr/lib/swift/linux/x86_64/Dispatch.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Random.swiftmodule /usr/lib/swift/linux/x86_64/Foundation.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Crypto.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Sockets.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Bits.swiftmodule /usr/lib/swift/linux/x86_64/Swift.swiftmodule /usr/lib/swift/linux/x86_64/SwiftOnoneSupport.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Transport.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/checkouts/engine.git--7533756970564908605/Sources/CHTTP/include/http_parser.h /usr/lib/swift/linux/x86_64/glibc.modulemap /home/albertfega/Desktop/LaSalleChat/.build/checkouts/ctls.git--2818177660473049491/module.modulemap /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/CHTTP.build/module.modulemap /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/CSQLite.build/module.modulemap /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/WebSockets.build/WebSocket+Error~partial.swiftdoc : /home/albertfega/Desktop/LaSalleChat/.build/checkouts/engine.git--7533756970564908605/Sources/WebSockets/Communication/WebSocket+Send.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/engine.git--7533756970564908605/Sources/WebSockets/Model/Frame.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/engine.git--7533756970564908605/Sources/WebSockets/Connection/WebSockets+Hash.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/engine.git--7533756970564908605/Sources/WebSockets/Model/Fragmentation.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/engine.git--7533756970564908605/Sources/WebSockets/Serialization/FrameSerializer.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/engine.git--7533756970564908605/Sources/WebSockets/Serialization/FrameDeserializer.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/engine.git--7533756970564908605/Sources/WebSockets/Model/WebSocket+Error.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/engine.git--7533756970564908605/Sources/WebSockets/Communication/WebSocket+ControlFrames.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/engine.git--7533756970564908605/Sources/WebSockets/Serialization/WebSockets+Flags.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/engine.git--7533756970564908605/Sources/WebSockets/WebSocketFormatErrors.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/engine.git--7533756970564908605/Sources/WebSockets/Connection/Headers+WebSockets.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/engine.git--7533756970564908605/Sources/WebSockets/Request+WebSockets.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/engine.git--7533756970564908605/Sources/WebSockets/Model/WebSocket.swift /home/albertfega/Desktop/LaSalleChat/.build/checkouts/engine.git--7533756970564908605/Sources/WebSockets/Client/WebSocket+Client.swift /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/URI.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/HTTP.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/TLS.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/libc.swiftmodule /usr/lib/swift/linux/x86_64/Glibc.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Core.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Debugging.swiftmodule /usr/lib/swift/linux/x86_64/Dispatch.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Random.swiftmodule /usr/lib/swift/linux/x86_64/Foundation.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Crypto.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Sockets.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Bits.swiftmodule /usr/lib/swift/linux/x86_64/Swift.swiftmodule /usr/lib/swift/linux/x86_64/SwiftOnoneSupport.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/Transport.swiftmodule /home/albertfega/Desktop/LaSalleChat/.build/checkouts/engine.git--7533756970564908605/Sources/CHTTP/include/http_parser.h /usr/lib/swift/linux/x86_64/glibc.modulemap /home/albertfega/Desktop/LaSalleChat/.build/checkouts/ctls.git--2818177660473049491/module.modulemap /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/CHTTP.build/module.modulemap /home/albertfega/Desktop/LaSalleChat/.build/x86_64-unknown-linux/debug/CSQLite.build/module.modulemap
D
/* REQUIRED_ARGS: -checkaction=context -dip25 -dip1000 PERMUTE_ARGS: -O -g -inline */ void test8765() { string msg; try { int a = 0; assert(a); } catch (Throwable e) { // no-message -> assert expression msg = e.msg; } assert(msg == "0 != true"); } void test9255() { string file; try { int x = 0; assert(x); } catch (Throwable e) { file = e.file; } version(Windows) assert(file && file == r"runnable\testassert.d"); else assert(file && file == "runnable/testassert.d"); } // https://issues.dlang.org/show_bug.cgi?id=20114 void test20114() { // Function call returning simple type static int fun() { static int i = 0; assert(i++ == 0); return 3; } const a = getMessage(assert(fun() == 4)); assert(a == "3 != 4"); // Function call returning complex type with opEquals static struct S { bool opEquals(const int x) const { return false; } } static S bar() { static int i = 0; assert(i++ == 0); return S.init; } const b = getMessage(assert(bar() == 4)); assert(b == "S() != 4"); // Non-call expression with side effects int i = 0; const c = getMessage(assert(++i == 0)); assert(c == "1 != 0"); } version (DigitalMars) version (Win64) version = DMD_Win64; void test20375() @safe { static struct RefCounted { // Force temporary through "impure" generator function static RefCounted create() @trusted { __gshared int counter = 0; return RefCounted(++counter > 0); } static int instances; static int postblits; this(bool) @safe { instances++; } this(this) @safe { instances++; postblits++; } ~this() @safe { // make the dtor non-nothrow (we are tracking clean-ups during AssertError unwinding) if (postblits > 100) throw new Exception(""); assert(instances > 0); instances--; } bool opEquals(RefCounted) @safe { return true; } } { auto a = RefCounted.create(); RefCounted.instances++; // we're about to construct an instance below, increment manually assert(a == RefCounted()); // both operands are pure expressions => no temporaries } assert(RefCounted.instances == 0); assert(RefCounted.postblits == 0); { auto a = RefCounted.create(); assert(a == RefCounted.create()); // impure rhs is promoted to a temporary lvalue => copy for a.opEquals(rhs) } assert(RefCounted.instances == 0); assert(RefCounted.postblits == 1); RefCounted.postblits = 0; { const msg = getMessage(assert(RefCounted.create() != RefCounted.create())); // both operands promoted to temporary lvalues assert(msg == "RefCounted() == RefCounted()"); } version (DMD_Win64) // FIXME: temporaries apparently not destructed when unwinding via AssertError { assert(RefCounted.instances >= 0 && RefCounted.instances <= 2); RefCounted.instances = 0; } else assert(RefCounted.instances == 0); assert(RefCounted.postblits == 1); RefCounted.postblits = 0; static int numGetLvalImpureCalls = 0; ref RefCounted getLvalImpure() @trusted { numGetLvalImpureCalls++; __gshared lval = RefCounted(); // not incrementing RefCounted.instances return lval; } { const msg = getMessage(assert(getLvalImpure() != getLvalImpure())); // both operands promoted to ref temporaries assert(msg == "RefCounted() == RefCounted()"); } assert(numGetLvalImpureCalls == 2); assert(RefCounted.instances == 0); assert(RefCounted.postblits == 1); RefCounted.postblits = 0; } // https://issues.dlang.org/show_bug.cgi?id=21471 void test21471() { { static struct S { S get()() const { return this; } } static auto f(S s) { return s; } auto s = S(); assert(f(s.get) == s); } { pragma(inline, true) real exp(real x) pure nothrow { return x; } bool isClose(int lhs, real rhs) pure nothrow { return false; } auto c = 0; assert(!isClose(c, exp(1))); } } string getMessage(T)(lazy T expr) @trusted { try { expr(); return null; } catch (Throwable t) { return t.msg; } } void testMixinExpression() @safe { static struct S { bool opEquals(S) @safe { return true; } } const msg = getMessage(assert(mixin("S() != S()"))); assert(msg == "S() == S()"); } void testUnaryFormat() { int zero = 0, one = 1; assert(getMessage(assert(zero)) == "0 != true"); assert(getMessage(assert(!one)) == "1 == true"); assert(getMessage(assert(!cast(int) 1.5)) == "1 == true"); assert(getMessage(assert(!!__ctfe)) == "assert(__ctfe) failed!"); static struct S { int i; bool opCast() const { return i < 2; } } assert(getMessage(assert(S(4))) == "S(4) != true"); S s = S(4); assert(getMessage(assert(*&s)) == "S(4) != true"); assert(getMessage(assert(--(++zero))) == "0 != true"); } void testAssignments() { int a = 1; int b = 2; assert(getMessage(assert(a -= --b)) == "0 != true"); static ref int c() { static int counter; counter++; return counter; } assert(getMessage(assert(--c())) == "0 != true"); } /// https://issues.dlang.org/show_bug.cgi?id=21472 void testTupleFormat() { alias AliasSeq(T...) = T; // Default usage { alias a = AliasSeq!(1, "ab"); alias b = AliasSeq!(false, "xyz"); assert(getMessage(assert(a == b)) == `(1, "ab") != (false, "xyz")`); } // Single elements work but are not formatted as tuples // Is this acceptable? (a workaround would probably require a // different name for the tuple formatting hook) { alias a = AliasSeq!(1, "ab", []); alias b = AliasSeq!(false, "xyz", [1]); assert(getMessage(assert(a == b)) == `(1, "ab", []) != (false, "xyz", [1])`); } // Also works with tupleof (as taken from the bug report) { static struct Var { int a, b; } const a = Var(1, 2); const b = Var(3, 4); const msg = getMessage(assert(a.tupleof == b.tupleof)); assert(msg == `(1, 2) != (3, 4)`); } } void main() { test8765(); test9255(); test20114(); test20375(); test21471(); testMixinExpression(); testUnaryFormat(); testAssignments(); testTupleFormat(); }
D
/** * Copyright: (c) 2005-2010 Eric Poggel * Authors: Eric Poggel * License: Boost 1.0 */ module tests.benchmark.culling; import tango.core.sync.Mutex; import tango.core.sync.ReadWriteMutex; import yage.core.array; import yage.core.timer; import yage.core.math.plane; import yage.core.math.math; import yage.core.math.vector; import yage.system.log; /** * This is a test to benchmark how fast culling can be when working with tightly packed values placed contiguously in memory. * It seems to show that culling is about 5x faster when it operates on contiguous data. */ void main() { Timer a = new Timer(true); cull!(0)(1_000_000); Log.write(a.tell()); Timer b = new Timer(true); cull!(128)(1_000_000); Log.write(b.tell()); } struct NodePosition(int S) { Vec3f position; void* node; static if (S > 0) float[S] otherJunk; static NodePosition opCall() { NodePosition result; result.position = Vec3f(random(-1000, 1000), random(-1000, 1000), random(-1000, 1000)); return result; } } void cull(int S)(int size) { // Initialize NodePosition!(S)[] nodes= new NodePosition!(S)[size]; foreach(inout node; nodes) node = NodePosition!(S)(); auto mutex = new Object(); auto mutex2 = new Mutex(); // also testing Tango vs D's mutex auto mutex3 = new ReadWriteMutex(); // also testing Tango vs D's mutex Plane[6] frustum; // just a simple 200^3 sized box frustum [0] = Plane(-1, 0, 0, 100); frustum [1] = Plane( 0,-1, 0, 100); frustum [2] = Plane( 0, 0,-1, 100); frustum [3] = Plane( 1, 0, 0, 100); frustum [4] = Plane( 0, 1, 0, 100); frustum [5] = Plane( 0, 0, 1, 100); ArrayBuilder!(void*) visibleNodes; foreach (node; nodes) { bool visible = true; // [below] a quick test for synchronization speeds // none, 146 ms //synchronized(mutex) // 229 ms //mutex2.lock(); // 173ms //mutex3.reader().lock(); // 375 ms //mutex3.writer().lock(); // 374 ms { foreach (f; frustum) { if (f.x*node.position.x +f.y*node.position.y + f.z*node.position.z + f.d < 0) { visible = false; break; } } if (visible) visibleNodes ~= node.node; } //mutex2.unlock(); //mutex3.reader().unlock(); //mutex3.writer().unlock(); } }
D
/** * Compiler implementation of the * $(LINK2 http://www.dlang.org, D programming language). * * Copyright: Copyright (c) 1999-2017 by Digital Mars, All Rights Reserved * Authors: $(LINK2 http://www.digitalmars.com, Walter Bright) * License: $(LINK2 http://www.boost.org/LICENSE_1_0.txt, Boost License 1.0) * Source: $(LINK2 https://github.com/dlang/dmd/blob/master/src/ddmd/statement.d, _statement.d) */ module ddmd.statement; // Online documentation: https://dlang.org/phobos/ddmd_statement.html import core.stdc.stdarg; import core.stdc.stdio; import ddmd.aggregate; import ddmd.arraytypes; import ddmd.attrib; import ddmd.astcodegen; import ddmd.gluelayer; import ddmd.canthrow; import ddmd.cond; import ddmd.dclass; import ddmd.declaration; import ddmd.denum; import ddmd.dimport; import ddmd.dscope; import ddmd.dsymbol; import ddmd.dtemplate; import ddmd.errors; import ddmd.expression; import ddmd.expressionsem; import ddmd.func; import ddmd.globals; import ddmd.hdrgen; import ddmd.id; import ddmd.identifier; import ddmd.mtype; import ddmd.parse; import ddmd.root.outbuffer; import ddmd.root.rootobject; import ddmd.sapply; import ddmd.sideeffect; import ddmd.staticassert; import ddmd.tokens; import ddmd.visitor; extern (C++) Identifier fixupLabelName(Scope* sc, Identifier ident) { uint flags = (sc.flags & SCOPEcontract); const id = ident.toChars(); if (flags && flags != SCOPEinvariant && !(id[0] == '_' && id[1] == '_')) { /* CTFE requires FuncDeclaration::labtab for the interpretation. * So fixing the label name inside in/out contracts is necessary * for the uniqueness in labtab. */ const(char)* prefix = flags == SCOPErequire ? "__in_" : "__out_"; OutBuffer buf; buf.printf("%s%s", prefix, ident.toChars()); ident = Identifier.idPool(buf.peekSlice()); } return ident; } extern (C++) LabelStatement checkLabeledLoop(Scope* sc, Statement statement) { if (sc.slabel && sc.slabel.statement == statement) { return sc.slabel; } return null; } /*********************************************************** * Check an assignment is used as a condition. * Intended to be use before the `semantic` call on `e`. * Params: * e = condition expression which is not yet run semantic analysis. * Returns: * `e` or ErrorExp. */ Expression checkAssignmentAsCondition(Expression e) { auto ec = e; while (ec.op == TOKcomma) ec = (cast(CommaExp)ec).e2; if (ec.op == TOKassign) { ec.error("assignment cannot be used as a condition, perhaps `==` was meant?"); return new ErrorExp(); } return e; } /// Return a type identifier reference to 'object.Throwable' TypeIdentifier getThrowable() { auto tid = new TypeIdentifier(Loc(), Id.empty); tid.addIdent(Id.object); tid.addIdent(Id.Throwable); return tid; } /*********************************************************** */ extern (C++) abstract class Statement : RootObject { Loc loc; override final DYNCAST dyncast() const { return DYNCAST.statement; } final extern (D) this(Loc loc) { this.loc = loc; // If this is an in{} contract scope statement (skip for determining // inlineStatus of a function body for header content) } Statement syntaxCopy() { assert(0); } override final void print() { fprintf(stderr, "%s\n", toChars()); fflush(stderr); } override final const(char)* toChars() { HdrGenState hgs; OutBuffer buf; .toCBuffer(this, &buf, &hgs); return buf.extractString(); } final void error(const(char)* format, ...) { va_list ap; va_start(ap, format); .verror(loc, format, ap); va_end(ap); } final void warning(const(char)* format, ...) { va_list ap; va_start(ap, format); .vwarning(loc, format, ap); va_end(ap); } final void deprecation(const(char)* format, ...) { va_list ap; va_start(ap, format); .vdeprecation(loc, format, ap); va_end(ap); } Statement getRelatedLabeled() { return this; } bool hasBreak() { //printf("Statement::hasBreak()\n"); return false; } bool hasContinue() { return false; } /* ============================================== */ // true if statement uses exception handling final bool usesEH() { extern (C++) final class UsesEH : StoppableVisitor { alias visit = super.visit; public: override void visit(Statement s) { } override void visit(TryCatchStatement s) { stop = true; } override void visit(TryFinallyStatement s) { stop = true; } override void visit(OnScopeStatement s) { stop = true; } override void visit(SynchronizedStatement s) { stop = true; } } scope UsesEH ueh = new UsesEH(); return walkPostorder(this, ueh); } /* ============================================== */ // true if statement 'comes from' somewhere else, like a goto final bool comeFrom() { extern (C++) final class ComeFrom : StoppableVisitor { alias visit = super.visit; public: override void visit(Statement s) { } override void visit(CaseStatement s) { stop = true; } override void visit(DefaultStatement s) { stop = true; } override void visit(LabelStatement s) { stop = true; } override void visit(AsmStatement s) { stop = true; } } scope ComeFrom cf = new ComeFrom(); return walkPostorder(this, cf); } /* ============================================== */ // Return true if statement has executable code. final bool hasCode() { extern (C++) final class HasCode : StoppableVisitor { alias visit = super.visit; public: override void visit(Statement s) { stop = true; } override void visit(ExpStatement s) { stop = s.exp !is null; } override void visit(CompoundStatement s) { } override void visit(ScopeStatement s) { } override void visit(ImportStatement s) { } } scope HasCode hc = new HasCode(); return walkPostorder(this, hc); } /**************************************** * If this statement has code that needs to run in a finally clause * at the end of the current scope, return that code in the form of * a Statement. * Output: * *sentry code executed upon entry to the scope * *sexception code executed upon exit from the scope via exception * *sfinally code executed in finally block */ Statement scopeCode(Scope* sc, Statement* sentry, Statement* sexception, Statement* sfinally) { //printf("Statement::scopeCode()\n"); //print(); *sentry = null; *sexception = null; *sfinally = null; return this; } /********************************* * Flatten out the scope by presenting the statement * as an array of statements. * Returns NULL if no flattening necessary. */ Statements* flatten(Scope* sc) { return null; } inout(Statement) last() inout nothrow pure { return this; } // Avoid dynamic_cast ErrorStatement isErrorStatement() { return null; } inout(ScopeStatement) isScopeStatement() inout nothrow pure { return null; } ExpStatement isExpStatement() { return null; } inout(CompoundStatement) isCompoundStatement() inout nothrow pure { return null; } inout(ReturnStatement) isReturnStatement() inout nothrow pure { return null; } IfStatement isIfStatement() { return null; } CaseStatement isCaseStatement() { return null; } DefaultStatement isDefaultStatement() { return null; } LabelStatement isLabelStatement() { return null; } GotoDefaultStatement isGotoDefaultStatement() pure { return null; } GotoCaseStatement isGotoCaseStatement() pure { return null; } inout(BreakStatement) isBreakStatement() inout nothrow pure { return null; } DtorExpStatement isDtorExpStatement() { return null; } ForwardingStatement isForwardingStatement() { return null; } void accept(Visitor v) { v.visit(this); } } /*********************************************************** * Any Statement that fails semantic() or has a component that is an ErrorExp or * a TypeError should return an ErrorStatement from semantic(). */ extern (C++) final class ErrorStatement : Statement { extern (D) this() { super(Loc()); assert(global.gaggedErrors || global.errors); } override Statement syntaxCopy() { return this; } override ErrorStatement isErrorStatement() { return this; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class PeelStatement : Statement { Statement s; extern (D) this(Statement s) { super(s.loc); this.s = s; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** * Convert TemplateMixin members (== Dsymbols) to Statements. */ extern (C++) Statement toStatement(Dsymbol s) { extern (C++) final class ToStmt : Visitor { alias visit = super.visit; public: Statement result; Statement visitMembers(Loc loc, Dsymbols* a) { if (!a) return null; auto statements = new Statements(); foreach (s; *a) { statements.push(toStatement(s)); } return new CompoundStatement(loc, statements); } override void visit(Dsymbol s) { .error(Loc(), "Internal Compiler Error: cannot mixin %s `%s`\n", s.kind(), s.toChars()); result = new ErrorStatement(); } override void visit(TemplateMixin tm) { auto a = new Statements(); foreach (m; *tm.members) { Statement s = toStatement(m); if (s) a.push(s); } result = new CompoundStatement(tm.loc, a); } /* An actual declaration symbol will be converted to DeclarationExp * with ExpStatement. */ Statement declStmt(Dsymbol s) { auto de = new DeclarationExp(s.loc, s); de.type = Type.tvoid; // avoid repeated semantic return new ExpStatement(s.loc, de); } override void visit(VarDeclaration d) { result = declStmt(d); } override void visit(AggregateDeclaration d) { result = declStmt(d); } override void visit(FuncDeclaration d) { result = declStmt(d); } override void visit(EnumDeclaration d) { result = declStmt(d); } override void visit(AliasDeclaration d) { result = declStmt(d); } override void visit(TemplateDeclaration d) { result = declStmt(d); } /* All attributes have been already picked by the semantic analysis of * 'bottom' declarations (function, struct, class, etc). * So we don't have to copy them. */ override void visit(StorageClassDeclaration d) { result = visitMembers(d.loc, d.decl); } override void visit(DeprecatedDeclaration d) { result = visitMembers(d.loc, d.decl); } override void visit(LinkDeclaration d) { result = visitMembers(d.loc, d.decl); } override void visit(ProtDeclaration d) { result = visitMembers(d.loc, d.decl); } override void visit(AlignDeclaration d) { result = visitMembers(d.loc, d.decl); } override void visit(UserAttributeDeclaration d) { result = visitMembers(d.loc, d.decl); } override void visit(StaticAssert s) { } override void visit(Import s) { } override void visit(PragmaDeclaration d) { } override void visit(ConditionalDeclaration d) { result = visitMembers(d.loc, d.include(null, null)); } override void visit(StaticForeachDeclaration d) { assert(d.sfe && !!d.sfe.aggrfe ^ !!d.sfe.rangefe); (d.sfe.aggrfe ? d.sfe.aggrfe._body : d.sfe.rangefe._body) = visitMembers(d.loc, d.decl); result = new StaticForeachStatement(d.loc, d.sfe); } override void visit(CompileDeclaration d) { result = visitMembers(d.loc, d.include(null, null)); } } if (!s) return null; scope ToStmt v = new ToStmt(); s.accept(v); return v.result; } /*********************************************************** */ extern (C++) class ExpStatement : Statement { Expression exp; final extern (D) this(Loc loc, Expression exp) { super(loc); this.exp = exp; } final extern (D) this(Loc loc, Dsymbol declaration) { super(loc); this.exp = new DeclarationExp(loc, declaration); } static ExpStatement create(Loc loc, Expression exp) { return new ExpStatement(loc, exp); } override Statement syntaxCopy() { return new ExpStatement(loc, exp ? exp.syntaxCopy() : null); } override final Statement scopeCode(Scope* sc, Statement* sentry, Statement* sexception, Statement* sfinally) { //printf("ExpStatement::scopeCode()\n"); //print(); *sentry = null; *sexception = null; *sfinally = null; if (exp && exp.op == TOKdeclaration) { auto de = cast(DeclarationExp)exp; auto v = de.declaration.isVarDeclaration(); if (v && !v.isDataseg()) { if (v.needsScopeDtor()) { //printf("dtor is: "); v.edtor.print(); *sfinally = new DtorExpStatement(loc, v.edtor, v); v.storage_class |= STCnodtor; // don't add in dtor again } } } return this; } override final Statements* flatten(Scope* sc) { /* https://issues.dlang.org/show_bug.cgi?id=14243 * expand template mixin in statement scope * to handle variable destructors. */ if (exp && exp.op == TOKdeclaration) { Dsymbol d = (cast(DeclarationExp)exp).declaration; if (TemplateMixin tm = d.isTemplateMixin()) { Expression e = exp.semantic(sc); if (e.op == TOKerror || tm.errors) { auto a = new Statements(); a.push(new ErrorStatement()); return a; } assert(tm.members); Statement s = toStatement(tm); version (none) { OutBuffer buf; buf.doindent = 1; HdrGenState hgs; hgs.hdrgen = true; toCBuffer(s, &buf, &hgs); printf("tm ==> s = %s\n", buf.peekString()); } auto a = new Statements(); a.push(s); return a; } } return null; } override final ExpStatement isExpStatement() { return this; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class DtorExpStatement : ExpStatement { // Wraps an expression that is the destruction of 'var' VarDeclaration var; extern (D) this(Loc loc, Expression exp, VarDeclaration v) { super(loc, exp); this.var = v; } override Statement syntaxCopy() { return new DtorExpStatement(loc, exp ? exp.syntaxCopy() : null, var); } override void accept(Visitor v) { v.visit(this); } override DtorExpStatement isDtorExpStatement() { return this; } } /*********************************************************** */ extern (C++) final class CompileStatement : Statement { Expression exp; extern (D) this(Loc loc, Expression exp) { super(loc); this.exp = exp; } override Statement syntaxCopy() { return new CompileStatement(loc, exp.syntaxCopy()); } override Statements* flatten(Scope* sc) { //printf("CompileStatement::flatten() %s\n", exp.toChars()); auto errorStatements() { auto a = new Statements(); a.push(new ErrorStatement()); return a; } auto se = semanticString(sc, exp, "argument to mixin"); if (!se) return errorStatements(); se = se.toUTF8(sc); uint errors = global.errors; scope p = new Parser!ASTCodegen(loc, sc._module, se.toStringz(), false); p.nextToken(); auto a = new Statements(); while (p.token.value != TOKeof) { Statement s = p.parseStatement(PSsemi | PScurlyscope); if (!s || p.errors) { assert(!p.errors || global.errors != errors); // make sure we caught all the cases return errorStatements(); } a.push(s); } return a; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) class CompoundStatement : Statement { Statements* statements; /** * Construct a `CompoundStatement` using an already existing * array of `Statement`s * * Params: * loc = Instantiation information * s = An array of `Statement`s, that will referenced by this class */ final extern (D) this(Loc loc, Statements* s) { super(loc); statements = s; } /** * Construct a `CompoundStatement` from an array of `Statement`s * * Params: * loc = Instantiation information * s = A variadic array of `Statement`s, that will copied in this class * The entries themselves will not be copied. */ final extern (D) this(Loc loc, Statement[] sts...) { super(loc); statements = new Statements(); statements.reserve(sts.length); foreach (s; sts) statements.push(s); } static CompoundStatement create(Loc loc, Statement s1, Statement s2) { return new CompoundStatement(loc, s1, s2); } override Statement syntaxCopy() { auto a = new Statements(); a.setDim(statements.dim); foreach (i, s; *statements) { (*a)[i] = s ? s.syntaxCopy() : null; } return new CompoundStatement(loc, a); } override Statements* flatten(Scope* sc) { return statements; } override final inout(ReturnStatement) isReturnStatement() inout nothrow pure { ReturnStatement rs = null; foreach (s; *statements) { if (s) { rs = cast(ReturnStatement)s.isReturnStatement(); if (rs) break; } } return cast(inout)rs; } override final inout(Statement) last() inout nothrow pure { Statement s = null; for (size_t i = statements.dim; i; --i) { s = cast(Statement)(*statements)[i - 1]; if (s) { s = cast(Statement)s.last(); if (s) break; } } return cast(inout)s; } override final inout(CompoundStatement) isCompoundStatement() inout nothrow pure { return this; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class CompoundDeclarationStatement : CompoundStatement { extern (D) this(Loc loc, Statements* s) { super(loc, s); statements = s; } override Statement syntaxCopy() { auto a = new Statements(); a.setDim(statements.dim); foreach (i, s; *statements) { (*a)[i] = s ? s.syntaxCopy() : null; } return new CompoundDeclarationStatement(loc, a); } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** * The purpose of this is so that continue will go to the next * of the statements, and break will go to the end of the statements. */ extern (C++) final class UnrolledLoopStatement : Statement { Statements* statements; extern (D) this(Loc loc, Statements* s) { super(loc); statements = s; } override Statement syntaxCopy() { auto a = new Statements(); a.setDim(statements.dim); foreach (i, s; *statements) { (*a)[i] = s ? s.syntaxCopy() : null; } return new UnrolledLoopStatement(loc, a); } override bool hasBreak() { return true; } override bool hasContinue() { return true; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) class ScopeStatement : Statement { Statement statement; Loc endloc; // location of closing curly bracket extern (D) this(Loc loc, Statement s, Loc endloc) { super(loc); this.statement = s; this.endloc = endloc; } override Statement syntaxCopy() { return new ScopeStatement(loc, statement ? statement.syntaxCopy() : null, endloc); } override inout(ScopeStatement) isScopeStatement() inout nothrow pure { return this; } override inout(ReturnStatement) isReturnStatement() inout nothrow pure { if (statement) return statement.isReturnStatement(); return null; } override bool hasBreak() { //printf("ScopeStatement::hasBreak() %s\n", toChars()); return statement ? statement.hasBreak() : false; } override bool hasContinue() { return statement ? statement.hasContinue() : false; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** * Statement whose symbol table contains foreach index variables in a * local scope and forwards other members to the parent scope. This * wraps a statement. * * Also see: `ddmd.attrib.ForwardingAttribDeclaration` */ extern (C++) final class ForwardingStatement : Statement { /// The symbol containing the `static foreach` variables. ForwardingScopeDsymbol sym = null; /// The wrapped statement. Statement statement; extern (D) this(Loc loc, ForwardingScopeDsymbol sym, Statement s) { super(loc); this.sym = sym; assert(s); statement = s; } extern (D) this(Loc loc, Statement s) { auto sym = new ForwardingScopeDsymbol(null); sym.symtab = new DsymbolTable(); this(loc, sym, s); } override Statement syntaxCopy() { return new ForwardingStatement(loc, statement.syntaxCopy()); } override Statement getRelatedLabeled() { if (!statement) { return null; } return statement.getRelatedLabeled(); } override bool hasBreak() { if (!statement) { return false; } return statement.hasBreak(); } override bool hasContinue() { if (!statement) { return false; } return statement.hasContinue(); } override Statement scopeCode(Scope* sc, Statement* sentry, Statement* sexception, Statement* sfinally) { if (!statement) { return this; } sc = sc.push(sym); statement = statement.scopeCode(sc, sentry, sexception, sfinally); sc = sc.pop(); return statement ? this : null; } override inout(Statement) last() inout nothrow pure { if (!statement) { return null; } return statement.last(); } /*********************** * ForwardingStatements are distributed over the flattened * sequence of statements. This prevents flattening to be * "blocked" by a ForwardingStatement and is necessary, for * example, to support generating scope guards with `static * foreach`: * * static foreach(i; 0 .. 10) scope(exit) writeln(i); * writeln("this is printed first"); * // then, it prints 10, 9, 8, 7, ... */ override Statements* flatten(Scope* sc) { if (!statement) { return null; } sc = sc.push(sym); auto a = statement.flatten(sc); sc = sc.pop(); if (!a) { return a; } auto b = new Statements(); b.setDim(a.dim); foreach (i, s; *a) { (*b)[i] = s ? new ForwardingStatement(s.loc, sym, s) : null; } return b; } override ForwardingStatement isForwardingStatement() { return this; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class WhileStatement : Statement { Expression condition; Statement _body; Loc endloc; // location of closing curly bracket extern (D) this(Loc loc, Expression c, Statement b, Loc endloc) { super(loc); condition = c; _body = b; this.endloc = endloc; } override Statement syntaxCopy() { return new WhileStatement(loc, condition.syntaxCopy(), _body ? _body.syntaxCopy() : null, endloc); } override bool hasBreak() { return true; } override bool hasContinue() { return true; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class DoStatement : Statement { Statement _body; Expression condition; Loc endloc; // location of ';' after while extern (D) this(Loc loc, Statement b, Expression c, Loc endloc) { super(loc); _body = b; condition = c; this.endloc = endloc; } override Statement syntaxCopy() { return new DoStatement(loc, _body ? _body.syntaxCopy() : null, condition.syntaxCopy(), endloc); } override bool hasBreak() { return true; } override bool hasContinue() { return true; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class ForStatement : Statement { Statement _init; Expression condition; Expression increment; Statement _body; Loc endloc; // location of closing curly bracket // When wrapped in try/finally clauses, this points to the outermost one, // which may have an associated label. Internal break/continue statements // treat that label as referring to this loop. Statement relatedLabeled; extern (D) this(Loc loc, Statement _init, Expression condition, Expression increment, Statement _body, Loc endloc) { super(loc); this._init = _init; this.condition = condition; this.increment = increment; this._body = _body; this.endloc = endloc; } override Statement syntaxCopy() { return new ForStatement(loc, _init ? _init.syntaxCopy() : null, condition ? condition.syntaxCopy() : null, increment ? increment.syntaxCopy() : null, _body.syntaxCopy(), endloc); } override Statement scopeCode(Scope* sc, Statement* sentry, Statement* sexception, Statement* sfinally) { //printf("ForStatement::scopeCode()\n"); Statement.scopeCode(sc, sentry, sexception, sfinally); return this; } override Statement getRelatedLabeled() { return relatedLabeled ? relatedLabeled : this; } override bool hasBreak() { //printf("ForStatement::hasBreak()\n"); return true; } override bool hasContinue() { return true; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class ForeachStatement : Statement { TOK op; // TOKforeach or TOKforeach_reverse Parameters* parameters; // array of Parameter*'s Expression aggr; Statement _body; Loc endloc; // location of closing curly bracket VarDeclaration key; VarDeclaration value; FuncDeclaration func; // function we're lexically in Statements* cases; // put breaks, continues, gotos and returns here ScopeStatements* gotos; // forward referenced goto's go here extern (D) this(Loc loc, TOK op, Parameters* parameters, Expression aggr, Statement _body, Loc endloc) { super(loc); this.op = op; this.parameters = parameters; this.aggr = aggr; this._body = _body; this.endloc = endloc; } override Statement syntaxCopy() { return new ForeachStatement(loc, op, Parameter.arraySyntaxCopy(parameters), aggr.syntaxCopy(), _body ? _body.syntaxCopy() : null, endloc); } bool checkForArgTypes() { bool result = false; foreach (p; *parameters) { if (!p.type) { error("cannot infer type for `%s`", p.ident.toChars()); p.type = Type.terror; result = true; } } return result; } override bool hasBreak() { return true; } override bool hasContinue() { return true; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class ForeachRangeStatement : Statement { TOK op; // TOKforeach or TOKforeach_reverse Parameter prm; // loop index variable Expression lwr; Expression upr; Statement _body; Loc endloc; // location of closing curly bracket VarDeclaration key; extern (D) this(Loc loc, TOK op, Parameter prm, Expression lwr, Expression upr, Statement _body, Loc endloc) { super(loc); this.op = op; this.prm = prm; this.lwr = lwr; this.upr = upr; this._body = _body; this.endloc = endloc; } override Statement syntaxCopy() { return new ForeachRangeStatement(loc, op, prm.syntaxCopy(), lwr.syntaxCopy(), upr.syntaxCopy(), _body ? _body.syntaxCopy() : null, endloc); } override bool hasBreak() { return true; } override bool hasContinue() { return true; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class IfStatement : Statement { Parameter prm; Expression condition; Statement ifbody; Statement elsebody; VarDeclaration match; // for MatchExpression results Loc endloc; // location of closing curly bracket extern (D) this(Loc loc, Parameter prm, Expression condition, Statement ifbody, Statement elsebody, Loc endloc) { super(loc); this.prm = prm; this.condition = condition; this.ifbody = ifbody; this.elsebody = elsebody; this.endloc = endloc; } override Statement syntaxCopy() { return new IfStatement(loc, prm ? prm.syntaxCopy() : null, condition.syntaxCopy(), ifbody ? ifbody.syntaxCopy() : null, elsebody ? elsebody.syntaxCopy() : null, endloc); } override IfStatement isIfStatement() { return this; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class ConditionalStatement : Statement { Condition condition; Statement ifbody; Statement elsebody; extern (D) this(Loc loc, Condition condition, Statement ifbody, Statement elsebody) { super(loc); this.condition = condition; this.ifbody = ifbody; this.elsebody = elsebody; } override Statement syntaxCopy() { return new ConditionalStatement(loc, condition.syntaxCopy(), ifbody.syntaxCopy(), elsebody ? elsebody.syntaxCopy() : null); } override Statements* flatten(Scope* sc) { Statement s; //printf("ConditionalStatement::flatten()\n"); if (condition.include(sc, null)) { DebugCondition dc = condition.isDebugCondition(); if (dc) s = new DebugStatement(loc, ifbody); else s = ifbody; } else s = elsebody; auto a = new Statements(); a.push(s); return a; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** * Static foreach statements, like: * void main() * { * static foreach(i; 0 .. 10) * { * pragma(msg, i); * } * } */ extern (C++) final class StaticForeachStatement : Statement { StaticForeach sfe; extern (D) this(Loc loc, StaticForeach sfe) { super(loc); this.sfe = sfe; } override Statement syntaxCopy() { return new StaticForeachStatement(loc,sfe.syntaxCopy()); } override Statements* flatten(Scope* sc) { sfe.prepare(sc); if (sfe.ready()) { import ddmd.statementsem; auto s = makeTupleForeach!(true,false)(sc, sfe.aggrfe,sfe.needExpansion); auto result = s.flatten(sc); if (result) { return result; } result = new Statements(); result.push(s); return result; } else { auto result = new Statements(); result.push(new ErrorStatement()); return result; } } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class PragmaStatement : Statement { Identifier ident; Expressions* args; // array of Expression's Statement _body; extern (D) this(Loc loc, Identifier ident, Expressions* args, Statement _body) { super(loc); this.ident = ident; this.args = args; this._body = _body; } override Statement syntaxCopy() { return new PragmaStatement(loc, ident, Expression.arraySyntaxCopy(args), _body ? _body.syntaxCopy() : null); } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class StaticAssertStatement : Statement { StaticAssert sa; extern (D) this(StaticAssert sa) { super(sa.loc); this.sa = sa; } override Statement syntaxCopy() { return new StaticAssertStatement(cast(StaticAssert)sa.syntaxCopy(null)); } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class SwitchStatement : Statement { Expression condition; Statement _body; bool isFinal; DefaultStatement sdefault; TryFinallyStatement tf; GotoCaseStatements gotoCases; // array of unresolved GotoCaseStatement's CaseStatements* cases; // array of CaseStatement's int hasNoDefault; // !=0 if no default statement int hasVars; // !=0 if has variable case values VarDeclaration lastVar; extern (D) this(Loc loc, Expression c, Statement b, bool isFinal) { super(loc); this.condition = c; this._body = b; this.isFinal = isFinal; } override Statement syntaxCopy() { return new SwitchStatement(loc, condition.syntaxCopy(), _body.syntaxCopy(), isFinal); } override bool hasBreak() { return true; } final bool checkLabel() { bool checkVar(VarDeclaration vd) { if (!vd || vd.isDataseg() || (vd.storage_class & STCmanifest)) return false; VarDeclaration last = lastVar; while (last && last != vd) last = last.lastVar; if (last == vd) { // All good, the label's scope has no variables } else if (vd.ident == Id.withSym) { deprecation("'switch' skips declaration of 'with' temporary at %s", vd.loc.toChars()); return true; } else { deprecation("'switch' skips declaration of variable %s at %s", vd.toPrettyChars(), vd.loc.toChars()); return true; } return false; } enum error = true; if (sdefault && checkVar(sdefault.lastVar)) return !error; // return error once fully deprecated foreach (scase; *cases) { if (scase && checkVar(scase.lastVar)) return !error; // return error once fully deprecated } return !error; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class CaseStatement : Statement { Expression exp; Statement statement; int index; // which case it is (since we sort this) VarDeclaration lastVar; extern (D) this(Loc loc, Expression exp, Statement s) { super(loc); this.exp = exp; this.statement = s; } override Statement syntaxCopy() { return new CaseStatement(loc, exp.syntaxCopy(), statement.syntaxCopy()); } override int compare(RootObject obj) { // Sort cases so we can do an efficient lookup CaseStatement cs2 = cast(CaseStatement)obj; return exp.compare(cs2.exp); } override CaseStatement isCaseStatement() { return this; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class CaseRangeStatement : Statement { Expression first; Expression last; Statement statement; extern (D) this(Loc loc, Expression first, Expression last, Statement s) { super(loc); this.first = first; this.last = last; this.statement = s; } override Statement syntaxCopy() { return new CaseRangeStatement(loc, first.syntaxCopy(), last.syntaxCopy(), statement.syntaxCopy()); } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class DefaultStatement : Statement { Statement statement; VarDeclaration lastVar; extern (D) this(Loc loc, Statement s) { super(loc); this.statement = s; } override Statement syntaxCopy() { return new DefaultStatement(loc, statement.syntaxCopy()); } override DefaultStatement isDefaultStatement() { return this; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class GotoDefaultStatement : Statement { SwitchStatement sw; extern (D) this(Loc loc) { super(loc); } override Statement syntaxCopy() { return new GotoDefaultStatement(loc); } override GotoDefaultStatement isGotoDefaultStatement() pure { return this; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class GotoCaseStatement : Statement { Expression exp; // null, or which case to goto CaseStatement cs; // case statement it resolves to extern (D) this(Loc loc, Expression exp) { super(loc); this.exp = exp; } override Statement syntaxCopy() { return new GotoCaseStatement(loc, exp ? exp.syntaxCopy() : null); } override GotoCaseStatement isGotoCaseStatement() pure { return this; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class SwitchErrorStatement : Statement { extern (D) this(Loc loc) { super(loc); } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class ReturnStatement : Statement { Expression exp; size_t caseDim; extern (D) this(Loc loc, Expression exp) { super(loc); this.exp = exp; } override Statement syntaxCopy() { return new ReturnStatement(loc, exp ? exp.syntaxCopy() : null); } override inout(ReturnStatement) isReturnStatement() inout nothrow pure { return this; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class BreakStatement : Statement { Identifier ident; extern (D) this(Loc loc, Identifier ident) { super(loc); this.ident = ident; } override Statement syntaxCopy() { return new BreakStatement(loc, ident); } override inout(BreakStatement) isBreakStatement() inout nothrow pure { return this; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class ContinueStatement : Statement { Identifier ident; extern (D) this(Loc loc, Identifier ident) { super(loc); this.ident = ident; } override Statement syntaxCopy() { return new ContinueStatement(loc, ident); } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class SynchronizedStatement : Statement { Expression exp; Statement _body; extern (D) this(Loc loc, Expression exp, Statement _body) { super(loc); this.exp = exp; this._body = _body; } override Statement syntaxCopy() { return new SynchronizedStatement(loc, exp ? exp.syntaxCopy() : null, _body ? _body.syntaxCopy() : null); } override bool hasBreak() { return false; //true; } override bool hasContinue() { return false; //true; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class WithStatement : Statement { Expression exp; Statement _body; VarDeclaration wthis; Loc endloc; extern (D) this(Loc loc, Expression exp, Statement _body, Loc endloc) { super(loc); this.exp = exp; this._body = _body; this.endloc = endloc; } override Statement syntaxCopy() { return new WithStatement(loc, exp.syntaxCopy(), _body ? _body.syntaxCopy() : null, endloc); } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class TryCatchStatement : Statement { Statement _body; Catches* catches; extern (D) this(Loc loc, Statement _body, Catches* catches) { super(loc); this._body = _body; this.catches = catches; } override Statement syntaxCopy() { auto a = new Catches(); a.setDim(catches.dim); foreach (i, c; *catches) { (*a)[i] = c.syntaxCopy(); } return new TryCatchStatement(loc, _body.syntaxCopy(), a); } override bool hasBreak() { return false; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class Catch : RootObject { Loc loc; Type type; Identifier ident; VarDeclaration var; Statement handler; bool errors; // set if semantic processing errors // was generated by the compiler, wasn't present in source code bool internalCatch; extern (D) this(Loc loc, Type t, Identifier id, Statement handler) { //printf("Catch(%s, loc = %s)\n", id.toChars(), loc.toChars()); this.loc = loc; this.type = t; this.ident = id; this.handler = handler; } Catch syntaxCopy() { auto c = new Catch(loc, type ? type.syntaxCopy() : getThrowable(), ident, (handler ? handler.syntaxCopy() : null)); c.internalCatch = internalCatch; return c; } } /*********************************************************** */ extern (C++) final class TryFinallyStatement : Statement { Statement _body; Statement finalbody; extern (D) this(Loc loc, Statement _body, Statement finalbody) { super(loc); this._body = _body; this.finalbody = finalbody; } static TryFinallyStatement create(Loc loc, Statement _body, Statement finalbody) { return new TryFinallyStatement(loc, _body, finalbody); } override Statement syntaxCopy() { return new TryFinallyStatement(loc, _body.syntaxCopy(), finalbody.syntaxCopy()); } override bool hasBreak() { return false; //true; } override bool hasContinue() { return false; //true; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class OnScopeStatement : Statement { TOK tok; Statement statement; extern (D) this(Loc loc, TOK tok, Statement statement) { super(loc); this.tok = tok; this.statement = statement; } override Statement syntaxCopy() { return new OnScopeStatement(loc, tok, statement.syntaxCopy()); } override Statement scopeCode(Scope* sc, Statement* sentry, Statement* sexception, Statement* sfinally) { //printf("OnScopeStatement::scopeCode()\n"); //print(); *sentry = null; *sexception = null; *sfinally = null; Statement s = new PeelStatement(statement); switch (tok) { case TOKon_scope_exit: *sfinally = s; break; case TOKon_scope_failure: *sexception = s; break; case TOKon_scope_success: { /* Create: * sentry: bool x = false; * sexception: x = true; * sfinally: if (!x) statement; */ auto v = copyToTemp(0, "__os", new IntegerExp(Loc(), 0, Type.tbool)); v.semantic(sc); *sentry = new ExpStatement(loc, v); Expression e = new IntegerExp(Loc(), 1, Type.tbool); e = new AssignExp(Loc(), new VarExp(Loc(), v), e); *sexception = new ExpStatement(Loc(), e); e = new VarExp(Loc(), v); e = new NotExp(Loc(), e); *sfinally = new IfStatement(Loc(), null, e, s, null, Loc()); break; } default: assert(0); } return null; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class ThrowStatement : Statement { Expression exp; // was generated by the compiler, wasn't present in source code bool internalThrow; extern (D) this(Loc loc, Expression exp) { super(loc); this.exp = exp; } override Statement syntaxCopy() { auto s = new ThrowStatement(loc, exp.syntaxCopy()); s.internalThrow = internalThrow; return s; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class DebugStatement : Statement { Statement statement; extern (D) this(Loc loc, Statement statement) { super(loc); this.statement = statement; } override Statement syntaxCopy() { return new DebugStatement(loc, statement ? statement.syntaxCopy() : null); } override Statements* flatten(Scope* sc) { Statements* a = statement ? statement.flatten(sc) : null; if (a) { foreach (ref s; *a) { s = new DebugStatement(loc, s); } } return a; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class GotoStatement : Statement { Identifier ident; LabelDsymbol label; TryFinallyStatement tf; OnScopeStatement os; VarDeclaration lastVar; extern (D) this(Loc loc, Identifier ident) { super(loc); this.ident = ident; } override Statement syntaxCopy() { return new GotoStatement(loc, ident); } final bool checkLabel() { if (!label.statement) { error("label `%s` is undefined", label.toChars()); return true; } if (label.statement.os != os) { if (os && os.tok == TOKon_scope_failure && !label.statement.os) { // Jump out from scope(failure) block is allowed. } else { if (label.statement.os) error("cannot goto in to `%s` block", Token.toChars(label.statement.os.tok)); else error("cannot goto out of `%s` block", Token.toChars(os.tok)); return true; } } if (label.statement.tf != tf) { error("cannot goto in or out of `finally` block"); return true; } VarDeclaration vd = label.statement.lastVar; if (!vd || vd.isDataseg() || (vd.storage_class & STCmanifest)) return false; VarDeclaration last = lastVar; while (last && last != vd) last = last.lastVar; if (last == vd) { // All good, the label's scope has no variables } else if (vd.storage_class & STCexptemp) { // Lifetime ends at end of expression, so no issue with skipping the statement } else if (vd.ident == Id.withSym) { error("`goto` skips declaration of `with` temporary at %s", vd.loc.toChars()); return true; } else { error("`goto` skips declaration of variable `%s` at %s", vd.toPrettyChars(), vd.loc.toChars()); return true; } return false; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class LabelStatement : Statement { Identifier ident; Statement statement; TryFinallyStatement tf; OnScopeStatement os; VarDeclaration lastVar; Statement gotoTarget; // interpret bool breaks; // someone did a 'break ident' extern (D) this(Loc loc, Identifier ident, Statement statement) { super(loc); this.ident = ident; this.statement = statement; } override Statement syntaxCopy() { return new LabelStatement(loc, ident, statement ? statement.syntaxCopy() : null); } override Statements* flatten(Scope* sc) { Statements* a = null; if (statement) { a = statement.flatten(sc); if (a) { if (!a.dim) { a.push(new ExpStatement(loc, cast(Expression)null)); } // reuse 'this' LabelStatement this.statement = (*a)[0]; (*a)[0] = this; } } return a; } override Statement scopeCode(Scope* sc, Statement* sentry, Statement* sexit, Statement* sfinally) { //printf("LabelStatement::scopeCode()\n"); if (statement) statement = statement.scopeCode(sc, sentry, sexit, sfinally); else { *sentry = null; *sexit = null; *sfinally = null; } return this; } override LabelStatement isLabelStatement() { return this; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class LabelDsymbol : Dsymbol { LabelStatement statement; extern (D) this(Identifier ident) { super(ident); } static LabelDsymbol create(Identifier ident) { return new LabelDsymbol(ident); } // is this a LabelDsymbol()? override LabelDsymbol isLabel() { return this; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class AsmStatement : Statement { Token* tokens; code* asmcode; uint asmalign; // alignment of this statement uint regs; // mask of registers modified (must match regm_t in back end) bool refparam; // true if function parameter is referenced bool naked; // true if function is to be naked extern (D) this(Loc loc, Token* tokens) { super(loc); this.tokens = tokens; } override Statement syntaxCopy() { return new AsmStatement(loc, tokens); } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** * a complete asm {} block */ extern (C++) final class CompoundAsmStatement : CompoundStatement { StorageClass stc; // postfix attributes like nothrow/pure/@trusted extern (D) this(Loc loc, Statements* s, StorageClass stc) { super(loc, s); this.stc = stc; } override CompoundAsmStatement syntaxCopy() { auto a = new Statements(); a.setDim(statements.dim); foreach (i, s; *statements) { (*a)[i] = s ? s.syntaxCopy() : null; } return new CompoundAsmStatement(loc, a, stc); } override Statements* flatten(Scope* sc) { return null; } override void accept(Visitor v) { v.visit(this); } } /*********************************************************** */ extern (C++) final class ImportStatement : Statement { Dsymbols* imports; // Array of Import's extern (D) this(Loc loc, Dsymbols* imports) { super(loc); this.imports = imports; } override Statement syntaxCopy() { auto m = new Dsymbols(); m.setDim(imports.dim); foreach (i, s; *imports) { (*m)[i] = s.syntaxCopy(null); } return new ImportStatement(loc, m); } override void accept(Visitor v) { v.visit(this); } }
D
module asr.buffer; import asr.color; public class BufferT(T) { private T[][] _pixels; private int _width; private int _height; public this(int width, int height) { _width = width; _height = height; _pixels = new T[][](_height, _width); } @property public int width() const { return _width; } @property public int height() const { return _height; } public void clear(T value) { for (int y = 0; y < _height; y++) { _pixels[y][] = value; } } public T getPixel(int x, int y) const in { assert(x >= 0 && x < _width); assert(y >= 0 && y < _height); } do { return _pixels[y][x]; } public void setPixel(int x, int y, T value) in { assert(x >= 0 && x < _width); assert(y >= 0 && y < _height); } do { _pixels[y][x] = value; } } alias ColorBuffer = BufferT!Color; alias Color32Buffer = BufferT!Color32; alias UByteBuffer = BufferT!ubyte;
D
module workspaced.com.dscanner; import std.algorithm; import std.array; import std.file; import std.json; import std.stdio; import std.typecons; import core.sync.mutex; import core.thread; import dscanner.analysis.base; import dscanner.analysis.config; import dscanner.analysis.run; import dscanner.symbol_finder; import inifiled : INI, readINIFile; import dparse.ast; import dparse.lexer; import dparse.parser; import dparse.rollback_allocator; import dsymbol.builtin.names; import dsymbol.modulecache : ASTAllocator, ModuleCache; import painlessjson; import workspaced.api; import workspaced.dparseext; @component("dscanner") class DscannerComponent : ComponentWrapper { mixin DefaultComponentWrapper; /// Asynchronously lints the file passed. /// If you provide code then the code will be used and file will be ignored. Future!(DScannerIssue[]) lint(string file = "", string ini = "dscanner.ini", string code = "") { auto ret = new Future!(DScannerIssue[]); new Thread({ try { if (code.length && !file.length) file = "stdin"; auto config = defaultStaticAnalysisConfig(); if (getConfigPath("dscanner.ini", ini)) stderr.writeln("Overriding Dscanner ini with workspace-d dscanner.ini config file"); if (ini.exists) readINIFile(config, ini); if (!code.length) code = readText(file); DScannerIssue[] issues; if (!code.length) { ret.finish(issues); return; } RollbackAllocator r; const(Token)[] tokens; StringCache cache = StringCache(StringCache.defaultBucketCount); const Module m = parseModule(file, cast(ubyte[]) code, &r, cache, tokens, issues); if (!m) throw new Exception( "parseModule returned null?! - file: '" ~ file ~ "', code: '" ~ code ~ "'"); MessageSet results; auto alloc = scoped!ASTAllocator(); auto moduleCache = ModuleCache(alloc); results = analyze(file, m, config, moduleCache, tokens, true); if (results is null) { ret.finish(issues); return; } foreach (msg; results) { DScannerIssue issue; issue.file = msg.fileName; issue.line = cast(int) msg.line; issue.column = cast(int) msg.column; issue.type = typeForWarning(msg.key); issue.description = msg.message; issue.key = msg.key; issues ~= issue; } ret.finish(issues); } catch (Throwable e) { ret.error(e); } }).start(); return ret; } private const(Module) parseModule(string file, ubyte[] code, RollbackAllocator* p, ref StringCache cache, ref const(Token)[] tokens, ref DScannerIssue[] issues) { LexerConfig config; config.fileName = file; config.stringBehavior = StringBehavior.source; tokens = getTokensForParser(code, config, &cache); void addIssue(string fileName, size_t line, size_t column, string message, bool isError) { issues ~= DScannerIssue(file, cast(int) line, cast(int) column, isError ? "error" : "warn", message); } uint err, warn; return dparse.parser.parseModule(tokens, file, p, &addIssue, &err, &warn); } /// Asynchronously lists all definitions in the specified file. /// If you provide code the file wont be manually read. Future!(DefinitionElement[]) listDefinitions(string file, string code = "") { auto ret = new Future!(DefinitionElement[]); new Thread({ try { if (code.length && !file.length) file = "stdin"; if (!code.length) code = readText(file); if (!code.length) { DefinitionElement[] arr; ret.finish(arr); return; } RollbackAllocator r; LexerConfig config; auto tokens = getTokensForParser(cast(ubyte[]) code, config, &workspaced.stringCache); void doNothing(string, size_t, size_t, string, bool) { } auto m = dparse.parser.parseModule(tokens.array, file, &r, &doNothing); auto defFinder = new DefinitionFinder(); defFinder.visit(m); ret.finish(defFinder.definitions); } catch (Throwable e) { ret.error(e); } }).start(); return ret; } /// Asynchronously finds all definitions of a symbol in the import paths. Future!(FileLocation[]) findSymbol(string symbol) { auto ret = new Future!(FileLocation[]); new Thread({ try { import dscanner.utils : expandArgs; string[] paths = expandArgs([""] ~ importPaths); foreach_reverse (i, path; paths) if (path == "stdin") paths = paths.remove(i); FileLocation[] files; findDeclarationOf((fileName, line, column) { FileLocation file; file.file = fileName; file.line = cast(int) line; file.column = cast(int) column; files ~= file; }, symbol, paths); ret.finish(files); } catch (Throwable e) { ret.error(e); } }).start(); return ret; } /// Returns: all keys & documentation that can be used in a dscanner.ini INIEntry[] listAllIniFields() { import std.traits : getUDAs; INIEntry[] ret; foreach (mem; __traits(allMembers, StaticAnalysisConfig)) static if (is(typeof(__traits(getMember, StaticAnalysisConfig, mem)) == string)) { alias docs = getUDAs!(__traits(getMember, StaticAnalysisConfig, mem), INI); ret ~= INIEntry(mem, docs.length ? docs[0].msg : ""); } return ret; } } /// dscanner.ini setting type struct INIEntry { /// string name, documentation; } /// Issue type returned by lint struct DScannerIssue { /// string file; /// int line, column; /// string type; /// string description; /// string key; } /// Returned by find-symbol struct FileLocation { /// string file; /// int line, column; } /// Returned by list-definitions struct DefinitionElement { /// string name; /// int line; /// One of "c" (class), "s" (struct), "i" (interface), "T" (template), "f" (function/ctor/dtor), "g" (enum {}), "u" (union), "e" (enum member/definition), "v" (variable/invariant) string type; /// string[string] attributes; } private: string typeForWarning(string key) { switch (key) { case "dscanner.bugs.backwards_slices": case "dscanner.bugs.if_else_same": case "dscanner.bugs.logic_operator_operands": case "dscanner.bugs.self_assignment": case "dscanner.confusing.argument_parameter_mismatch": case "dscanner.confusing.brexp": case "dscanner.confusing.builtin_property_names": case "dscanner.confusing.constructor_args": case "dscanner.confusing.function_attributes": case "dscanner.confusing.lambda_returns_lambda": case "dscanner.confusing.logical_precedence": case "dscanner.confusing.struct_constructor_default_args": case "dscanner.deprecated.delete_keyword": case "dscanner.deprecated.floating_point_operators": case "dscanner.if_statement": case "dscanner.performance.enum_array_literal": case "dscanner.style.allman": case "dscanner.style.alias_syntax": case "dscanner.style.doc_missing_params": case "dscanner.style.doc_missing_returns": case "dscanner.style.doc_non_existing_params": case "dscanner.style.explicitly_annotated_unittest": case "dscanner.style.has_public_example": case "dscanner.style.imports_sortedness": case "dscanner.style.long_line": case "dscanner.style.number_literals": case "dscanner.style.phobos_naming_convention": case "dscanner.style.undocumented_declaration": case "dscanner.suspicious.auto_ref_assignment": case "dscanner.suspicious.catch_em_all": case "dscanner.suspicious.comma_expression": case "dscanner.suspicious.incomplete_operator_overloading": case "dscanner.suspicious.incorrect_infinite_range": case "dscanner.suspicious.label_var_same_name": case "dscanner.suspicious.length_subtraction": case "dscanner.suspicious.local_imports": case "dscanner.suspicious.missing_return": case "dscanner.suspicious.object_const": case "dscanner.suspicious.redundant_attributes": case "dscanner.suspicious.redundant_parens": case "dscanner.suspicious.static_if_else": case "dscanner.suspicious.unmodified": case "dscanner.suspicious.unused_label": case "dscanner.suspicious.unused_parameter": case "dscanner.suspicious.unused_variable": case "dscanner.suspicious.useless_assert": case "dscanner.unnecessary.duplicate_attribute": case "dscanner.useless.final": case "dscanner.useless-initializer": case "dscanner.vcall_ctor": return "warn"; case "dscanner.syntax": return "error"; default: stderr.writeln("Warning: unimplemented DScanner reason, assuming warning: ", key); return "warn"; } } final class DefinitionFinder : ASTVisitor { override void visit(const ClassDeclaration dec) { definitions ~= makeDefinition(dec.name.text, dec.name.line, "c", context); auto c = context; context = ContextType(["class" : dec.name.text], "public"); dec.accept(this); context = c; } override void visit(const StructDeclaration dec) { if (dec.name == tok!"") { dec.accept(this); return; } definitions ~= makeDefinition(dec.name.text, dec.name.line, "s", context); auto c = context; context = ContextType(["struct" : dec.name.text], "public"); dec.accept(this); context = c; } override void visit(const InterfaceDeclaration dec) { definitions ~= makeDefinition(dec.name.text, dec.name.line, "i", context); auto c = context; context = ContextType(["interface:" : dec.name.text], context.access); dec.accept(this); context = c; } override void visit(const TemplateDeclaration dec) { auto def = makeDefinition(dec.name.text, dec.name.line, "T", context); def.attributes["signature"] = paramsToString(dec); definitions ~= def; auto c = context; context = ContextType(["template" : dec.name.text], context.access); dec.accept(this); context = c; } override void visit(const FunctionDeclaration dec) { auto def = makeDefinition(dec.name.text, dec.name.line, "f", context); def.attributes["signature"] = paramsToString(dec); if (dec.returnType !is null) def.attributes["return"] = astToString(dec.returnType); definitions ~= def; } override void visit(const Constructor dec) { auto def = makeDefinition("this", dec.line, "f", context); def.attributes["signature"] = paramsToString(dec); definitions ~= def; } override void visit(const Destructor dec) { definitions ~= makeDefinition("~this", dec.line, "f", context); } override void visit(const EnumDeclaration dec) { definitions ~= makeDefinition(dec.name.text, dec.name.line, "g", context); auto c = context; context = ContextType(["enum" : dec.name.text], context.access); dec.accept(this); context = c; } override void visit(const UnionDeclaration dec) { if (dec.name == tok!"") { dec.accept(this); return; } definitions ~= makeDefinition(dec.name.text, dec.name.line, "u", context); auto c = context; context = ContextType(["union" : dec.name.text], context.access); dec.accept(this); context = c; } override void visit(const AnonymousEnumMember mem) { definitions ~= makeDefinition(mem.name.text, mem.name.line, "e", context); } override void visit(const EnumMember mem) { definitions ~= makeDefinition(mem.name.text, mem.name.line, "e", context); } override void visit(const VariableDeclaration dec) { foreach (d; dec.declarators) definitions ~= makeDefinition(d.name.text, d.name.line, "v", context); dec.accept(this); } override void visit(const AutoDeclaration dec) { foreach (i; dec.parts.map!(a => a.identifier)) definitions ~= makeDefinition(i.text, i.line, "v", context); dec.accept(this); } override void visit(const Invariant dec) { definitions ~= makeDefinition("invariant", dec.line, "v", context); } override void visit(const ModuleDeclaration dec) { context = ContextType(null, "public"); dec.accept(this); } override void visit(const Attribute attribute) { if (attribute.attribute != tok!"") { switch (attribute.attribute.type) { case tok!"export": context.access = "public"; break; case tok!"public": context.access = "public"; break; case tok!"package": context.access = "protected"; break; case tok!"protected": context.access = "protected"; break; case tok!"private": context.access = "private"; break; default: } } else if (attribute.deprecated_ !is null) { // TODO: find out how to get deprecation message context.attr["deprecation"] = ""; } attribute.accept(this); } override void visit(const AttributeDeclaration dec) { accessSt = AccessState.Keep; dec.accept(this); } override void visit(const Declaration dec) { auto c = context; dec.accept(this); final switch (accessSt) with (AccessState) { case Reset: context = c; break; case Keep: break; } accessSt = AccessState.Reset; } override void visit(const Unittest dec) { // skipping symbols inside a unit test to not clutter the ctags file // with "temporary" symbols. // TODO when phobos have a unittest library investigate how that could // be used to describe the tests. // Maybe with UDA's to give the unittest a "name". } override void visit(const AliasDeclaration dec) { // Old style alias if (dec.declaratorIdentifierList) foreach (i; dec.declaratorIdentifierList.identifiers) definitions ~= makeDefinition(i.text, i.line, "a", context); dec.accept(this); } override void visit(const AliasInitializer dec) { definitions ~= makeDefinition(dec.name.text, dec.name.line, "a", context); dec.accept(this); } override void visit(const AliasThisDeclaration dec) { auto name = dec.identifier; definitions ~= makeDefinition(name.text, name.line, "a", context); dec.accept(this); } alias visit = ASTVisitor.visit; ContextType context; AccessState accessSt; DefinitionElement[] definitions; } DefinitionElement makeDefinition(string name, size_t line, string type, ContextType context) { string[string] attr = context.attr; if (context.access.length) attr["access"] = context.access; return DefinitionElement(name, cast(int) line, type, attr); } enum AccessState { Reset, /// when ascending the AST reset back to the previous access. Keep /// when ascending the AST keep the new access. } struct ContextType { string[string] attr; string access; }
D
an area in a town where a public mercantile establishment is set up
D
instance NASZ_223_Ratford (Npc_Default) { // ------ NSC ------ name = "Ratford"; guild = GIL_OUT; id = 223; voice = 5; flags = 0; //NPC_FLAG_IMMORTAL oder 0 npctype = NPCTYPE_MAIN; aivar[AIV_IgnoresArmor] = TRUE; // ------ Attribute ------ B_SetAttributesToChapter (self, 1); //setzt Attribute und LEVEL entsprechend dem angegebenen Kapitel (1-6) // ------ Kampf-Taktik ------ fight_tactic = FAI_HUMAN_COWARD; // MASTER / STRONG / COWARD // ------ Equippte Waffen ------ //Munition wird automatisch generiert, darf aber angegeben werden EquipItem (self, ItMw_ShortSword4); EquipItem (self, ItRw_Sld_Bow); Npc_EquipHelmet (self, ItNa_KapturMysliwego); // ------ Inventory ------ B_CreateAmbientInv (self); CreateInvItems (self, ItRw_Arrow,25); // ------ visuals ------ //Muss NACH Attributen kommen, weil in B_SetNpcVisual die Breite abh. v. STR skaliert wird B_SetNpcVisual (self, MALE, "Hum_Head_Fatbald", Face_L_Ratford, BodyTex_L, ITNA_OUT_M); Mdl_SetModelFatness (self, 0); Mdl_ApplyOverlayMds (self, "Humans_Relaxed.mds"); // Tired / Militia / Mage / Arrogance / Relaxed // ------ NSC-relevante Talente vergeben ------ B_GiveNpcTalents (self); // ------ Kampf-Talente ------ //Der enthaltene B_AddFightSkill setzt Talent-Ani abhängig von TrefferChance% - alle Kampftalente werden gleichhoch gesetzt B_SetFightSkills (self, 60); //Grenzen für Talent-Level liegen bei 30 und 60 // ------ TA anmelden ------ daily_routine = Rtn_Start_223; }; FUNC VOID Rtn_Start_223 () { TA_Stand_ArmsCrossed (07,45,10,30,"NASZ_MYSLIWI_GORA_15"); TA_Sit_Campfire (10,30,13,05,"NASZ_MYSLIWI_GORA_17"); TA_Stand_ArmsCrossed (13,05,16,45,"NASZ_MYSLIWI_BALKON_04"); TA_Stand_ArmsCrossed (16,45,18,50,"NASZ_MYSLIWI_GORA_01"); TA_Sit_Campfire (18,50,20,30,"NASZ_MYSLIWI_BALKON_07"); TA_Sleep (20,30,07,45,"NASZ_MYSLIWI_GORA_16"); };
D